text
stringlengths 6
13.6M
| id
stringlengths 13
176
| metadata
dict | __index_level_0__
int64 0
1.69k
|
---|---|---|---|
// Copyright 2018 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// ignore_for_file: avoid_print
import 'dart:async';
import 'dart:io';
import 'package:path/path.dart' as path;
import 'package:webkit_inspection_protocol/webkit_inspection_protocol.dart'
hide ChromeTab;
import 'package:webkit_inspection_protocol/webkit_inspection_protocol.dart'
as wip show ChromeTab;
import 'io_utils.dart';
// Change this if you want to be able to see Chrome opening while tests run
// to aid debugging.
const useChromeHeadless = true;
// Chrome headless currently hangs on Windows (both Travis and locally),
// so we won't use it there.
final headlessModeIsSupported = !Platform.isWindows;
class Chrome {
Chrome._(this.executable);
static Chrome? from(String executable) {
return FileSystemEntity.isFileSync(executable)
? Chrome._(executable)
: null;
}
static Chrome? locate() {
if (Platform.isMacOS) {
const String defaultPath = '/Applications/Google Chrome.app';
const String bundlePath = 'Contents/MacOS/Google Chrome';
if (FileSystemEntity.isDirectorySync(defaultPath)) {
return Chrome.from(path.join(defaultPath, bundlePath));
}
} else if (Platform.isLinux) {
const String defaultPath = '/usr/bin/google-chrome';
if (FileSystemEntity.isFileSync(defaultPath)) {
return Chrome.from(defaultPath);
}
} else if (Platform.isWindows) {
final String progFiles = Platform.environment['PROGRAMFILES(X86)']!;
final String chromeInstall = '$progFiles\\Google\\Chrome';
final String defaultPath = '$chromeInstall\\Application\\chrome.exe';
if (FileSystemEntity.isFileSync(defaultPath)) {
return Chrome.from(defaultPath);
}
}
final pathFromEnv = Platform.environment['CHROME_PATH'];
if (pathFromEnv != null && FileSystemEntity.isFileSync(pathFromEnv)) {
return Chrome.from(pathFromEnv);
}
// TODO(devoncarew): check default install locations for linux
// TODO(devoncarew): try `which` on mac, linux
return null;
}
/// Return the path to a per-user Chrome data dir.
///
/// This method will create the directory if it does not exist.
static String getCreateChromeDataDir() {
final Directory prefsDir = getDartPrefsDirectory();
final Directory chromeDataDir =
Directory(path.join(prefsDir.path, 'chrome'));
if (!chromeDataDir.existsSync()) {
chromeDataDir.createSync(recursive: true);
}
return chromeDataDir.path;
}
final String executable;
Future<ChromeProcess> start({String? url, int debugPort = 9222}) {
final List<String> args = <String>[
'--no-default-browser-check',
'--no-first-run',
'--user-data-dir=${getCreateChromeDataDir()}',
'--remote-debugging-port=$debugPort',
];
if (useChromeHeadless && headlessModeIsSupported) {
args.addAll(<String>[
'--headless',
'--disable-gpu',
]);
}
if (url != null) {
args.add(url);
}
return Process.start(executable, args).then((Process process) {
return ChromeProcess(process, debugPort);
});
}
}
class ChromeProcess {
ChromeProcess(this.process, this.debugPort);
final Process process;
final int debugPort;
bool _processAlive = true;
Future<ChromeTab?> connectToTab(
String url, {
Duration timeout = const Duration(seconds: 20),
}) async {
return await _connectToTab(
connection: ChromeConnection(Uri.parse(url).host, debugPort),
tabFound: (tab) => tab.url == url,
timeout: timeout,
);
}
Future<ChromeTab?> connectToTabId(
String host,
String id, {
Duration timeout = const Duration(seconds: 20),
}) async {
return await _connectToTab(
connection: ChromeConnection(host, debugPort),
tabFound: (tab) => tab.id == id,
timeout: timeout,
);
}
Future<ChromeTab?> getFirstTab({
Duration timeout = const Duration(seconds: 20),
}) async {
return await _connectToTab(
connection: ChromeConnection('localhost', debugPort),
tabFound: (tab) => !tab.isBackgroundPage && !tab.isChromeExtension,
timeout: timeout,
);
}
Future<ChromeTab?> _connectToTab({
required ChromeConnection connection,
required bool Function(wip.ChromeTab) tabFound,
required Duration timeout,
}) async {
final wip.ChromeTab? wipTab = await connection.getTab(
(wip.ChromeTab tab) {
return tabFound(tab);
},
retryFor: timeout,
);
unawaited(
process.exitCode.then((_) {
_processAlive = false;
}),
);
return wipTab == null ? null : ChromeTab(wipTab);
}
bool get isAlive => _processAlive;
/// Returns `true` if the signal is successfully delivered to the process.
/// Otherwise the signal could not be sent, usually meaning that the process
/// is already dead.
bool kill() => process.kill();
Future<int> get onExit => process.exitCode;
}
class ChromeTab {
ChromeTab(this.wipTab);
final wip.ChromeTab wipTab;
WipConnection? _wip;
final StreamController<LogEntry> _entryAddedController =
StreamController<LogEntry>.broadcast();
final StreamController<ConsoleAPIEvent> _consoleAPICalledController =
StreamController<ConsoleAPIEvent>.broadcast();
final StreamController<ExceptionThrownEvent> _exceptionThrownController =
StreamController<ExceptionThrownEvent>.broadcast();
num? _lostConnectionTime;
Future<WipConnection?> connect({bool verbose = false}) async {
_wip = await wipTab.connect();
final WipConnection wipConnection = _wip!;
await wipConnection.log.enable();
wipConnection.log.onEntryAdded.listen((LogEntry entry) {
if (_lostConnectionTime == null ||
entry.timestamp > _lostConnectionTime!) {
_entryAddedController.add(entry);
}
});
await wipConnection.runtime.enable();
wipConnection.runtime.onConsoleAPICalled.listen((ConsoleAPIEvent event) {
if (_lostConnectionTime == null ||
event.timestamp > _lostConnectionTime!) {
_consoleAPICalledController.add(event);
}
});
unawaited(
_exceptionThrownController
.addStream(wipConnection.runtime.onExceptionThrown),
);
unawaited(wipConnection.page.enable());
wipConnection.onClose.listen((_) {
_wip = null;
_disconnectStream.add(null);
_lostConnectionTime = DateTime.now().millisecondsSinceEpoch;
});
if (verbose) {
onLogEntryAdded.listen((entry) {
print('chrome • log:${entry.source} • ${entry.text} ${entry.url}');
});
onConsoleAPICalled.listen((entry) {
print(
'chrome • console:${entry.type} • '
'${entry.args.map((a) => a.value).join(', ')}',
);
});
onExceptionThrown.listen((ex) {
throw 'JavaScript exception occurred: ${ex.method}\n\n'
'${ex.params}\n\n'
'${ex.exceptionDetails.text}\n\n'
'${ex.exceptionDetails.exception}\n\n'
'${ex.exceptionDetails.stackTrace}';
});
}
return _wip;
}
Future<String> createNewTarget() {
return _wip!.target.createTarget('about:blank');
}
bool get isConnected => _wip != null;
Stream<void> get onDisconnect => _disconnectStream.stream;
final _disconnectStream = StreamController<void>.broadcast();
Stream<LogEntry> get onLogEntryAdded => _entryAddedController.stream;
Stream<ConsoleAPIEvent> get onConsoleAPICalled =>
_consoleAPICalledController.stream;
Stream<ExceptionThrownEvent> get onExceptionThrown =>
_exceptionThrownController.stream;
Future<WipResponse> reload() => _wip!.page.reload();
Future<WipResponse> navigate(String url) => _wip!.page.navigate(url);
WipConnection? get wipConnection => _wip;
}
| devtools/packages/devtools_shared/lib/src/test/chrome.dart/0 | {
"file_path": "devtools/packages/devtools_shared/lib/src/test/chrome.dart",
"repo_id": "devtools",
"token_count": 2888
} | 171 |
// Copyright 2022 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:devtools_shared/devtools_shared.dart';
import 'package:test/test.dart';
void main() {
group('SemanticVersion', () {
test('parse', () {
expect(
SemanticVersion.parse(
'2.15.0-233.0.dev (dev) (Mon Oct 18 14:06:26 2021 -0700) on "ios_x64"',
).toString(),
equals('2.15.0-233.0'),
);
expect(
SemanticVersion.parse('2.15.0-178.1.beta').toString(),
equals('2.15.0-178.1'),
);
expect(
SemanticVersion.parse('2.6.0-12.0.pre.443').toString(),
equals('2.6.0-12.0'),
);
expect(
SemanticVersion.parse('2.6.0-1.2.dev+build.metadata').toString(),
equals('2.6.0-1.2'),
);
expect(
SemanticVersion.parse('2.6.0+build.metadata').toString(),
equals('2.6.0'),
);
});
test('downgrade', () {
var version = SemanticVersion(
major: 3,
minor: 2,
patch: 1,
preReleaseMajor: 1,
preReleaseMinor: 2,
);
expect(
version.downgrade().toString(),
equals('3.2.1'),
);
version = SemanticVersion(major: 3, minor: 2, patch: 1);
expect(
version.downgrade().toString(),
equals('3.2.1'),
);
expect(
version.downgrade(downgradeMajor: true).toString(),
equals('2.2.1'),
);
expect(
version.downgrade(downgradeMinor: true).toString(),
equals('3.1.1'),
);
expect(
version.downgrade(downgradePatch: true).toString(),
equals('3.2.0'),
);
version = SemanticVersion(major: 3);
expect(
version
.downgrade(
downgradeMajor: true,
downgradeMinor: true,
downgradePatch: true,
)
.toString(),
equals('2.0.0'),
);
});
test('isVersionSupported', () {
final supportedVersion = SemanticVersion(major: 1, minor: 1, patch: 1);
expect(
SemanticVersion().isSupported(minSupportedVersion: SemanticVersion()),
isTrue,
);
expect(
SemanticVersion(major: 1, minor: 1, patch: 2)
.isSupported(minSupportedVersion: supportedVersion),
isTrue,
);
expect(
SemanticVersion(major: 1, minor: 2, patch: 1)
.isSupported(minSupportedVersion: supportedVersion),
isTrue,
);
expect(
SemanticVersion(major: 2, minor: 1, patch: 1)
.isSupported(minSupportedVersion: supportedVersion),
isTrue,
);
expect(
SemanticVersion(major: 2, minor: 1, patch: 1).isSupported(
minSupportedVersion: SemanticVersion(major: 2, minor: 2, patch: 1),
),
isFalse,
);
});
test('compareTo', () {
var version = SemanticVersion(major: 1, minor: 1, patch: 1);
expect(
version.compareTo(SemanticVersion(major: 1, minor: 1, patch: 2)),
equals(-1),
);
expect(
version.compareTo(SemanticVersion(major: 1, minor: 2, patch: 1)),
equals(-1),
);
expect(
version.compareTo(SemanticVersion(major: 2, minor: 1, patch: 1)),
equals(-1),
);
expect(
version.compareTo(SemanticVersion(major: 1, minor: 1)),
equals(1),
);
expect(
version.compareTo(SemanticVersion(major: 1, minor: 1, patch: 1)),
equals(0),
);
expect(
version.compareTo(
SemanticVersion(
major: 1,
minor: 1,
patch: 1,
preReleaseMajor: 0,
preReleaseMinor: 0,
),
),
equals(0),
);
expect(
version.compareTo(
SemanticVersion(major: 1, minor: 1, patch: 1, preReleaseMajor: 1),
),
equals(1),
);
version = SemanticVersion(
major: 1,
minor: 1,
patch: 1,
preReleaseMajor: 1,
preReleaseMinor: 2,
);
expect(
version.compareTo(
SemanticVersion(major: 1, minor: 1, patch: 1, preReleaseMajor: 1),
),
equals(1),
);
expect(
version.compareTo(
SemanticVersion(
major: 1,
minor: 1,
patch: 1,
preReleaseMajor: 2,
preReleaseMinor: 1,
),
),
equals(-1),
);
});
test('toString', () {
expect(
SemanticVersion(major: 1, minor: 1, patch: 1).toString(),
equals('1.1.1'),
);
expect(
SemanticVersion(major: 1, minor: 1, patch: 1, preReleaseMajor: 17)
.toString(),
equals('1.1.1-17'),
);
expect(
SemanticVersion(
major: 1,
minor: 1,
patch: 1,
preReleaseMajor: 17,
preReleaseMinor: 1,
).toString(),
equals('1.1.1-17.1'),
);
expect(
SemanticVersion(
major: 1,
minor: 1,
patch: 1,
preReleaseMinor: 1,
).toString(),
equals('1.1.1-0.1'),
);
});
});
}
| devtools/packages/devtools_shared/test/semantic_version_test.dart/0 | {
"file_path": "devtools/packages/devtools_shared/test/semantic_version_test.dart",
"repo_id": "devtools",
"token_count": 2702
} | 172 |
// Copyright 2020 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'dart:async';
import 'dart:convert';
import 'dart:io';
import 'package:devtools_app/devtools_app.dart';
import 'package:flutter/foundation.dart';
import 'package:flutter/services.dart';
import 'package:flutter_test/flutter_test.dart';
import 'package:path/path.dart' as path;
const skipForCustomerTestsTag = 'skip-for-flutter-customer-tests';
const shortPumpDuration = Duration(seconds: 1);
const safePumpDuration = Duration(seconds: 3);
const longPumpDuration = Duration(seconds: 6);
const veryLongPumpDuration = Duration(seconds: 9);
final screenIds = <String>[
AppSizeScreen.id,
DebuggerScreen.id,
DeepLinksScreen.id,
InspectorScreen.id,
LoggingScreen.id,
MemoryScreen.id,
NetworkScreen.id,
PerformanceScreen.id,
ProfilerScreen.id,
ProviderScreen.id,
VMDeveloperToolsScreen.id,
];
/// Scoping method which registers `listener` as a listener for `listenable`,
/// invokes `callback`, and then removes the `listener`.
///
/// Tests that `listener` has actually been invoked.
Future<void> addListenerScope({
required Listenable listenable,
required void Function() listener,
required Future<void> Function() callback,
}) async {
bool listenerCalled = false;
void listenerWrapped() {
listenerCalled = true;
listener();
}
listenable.addListener(listenerWrapped);
await callback();
expect(listenerCalled, true);
listenable.removeListener(listenerWrapped);
}
/// Returns a future that completes when a listenable has a value that satisfies
/// [condition].
Future<T> whenMatches<T>(
ValueListenable<T> listenable,
bool Function(T) condition,
) {
final completer = Completer<T>();
void listener() {
if (condition(listenable.value)) {
completer.complete(listenable.value);
listenable.removeListener(listener);
}
}
listenable.addListener(listener);
listener();
return completer.future;
}
/// Workaround to initialize the live widget binding with assets.
///
/// The [LiveTestWidgetsFlutterBinding] is useful for unit tests that need to
/// perform true async operations such as communicating with the VM Service.
/// Unfortunately the default implementation doesn't work with the patterns we
/// use to load assets in the devtools application.
/// TODO(jacobr): consider writing proper integration tests instead rather than
/// using this code path.
void initializeLiveTestWidgetsFlutterBindingWithAssets() {
TestWidgetsFlutterBinding.ensureInitialized({'FLUTTER_TEST': 'false'});
_mockFlutterAssets();
}
// Copied from _binding_io.dart from package:flutter_test,
// This code is typically used to load assets in regular unittests but not
// unittests run with the LiveTestWidgetsFlutterBinding. Assets should be able
// to load normally when running unittests using the
// LiveTestWidgetsFlutterBinding but that is not the case at least for the
// devtools app so we use this workaround.
void _mockFlutterAssets() {
if (!Platform.environment.containsKey('UNIT_TEST_ASSETS')) {
return;
}
final String? assetFolderPath = Platform.environment['UNIT_TEST_ASSETS'];
assert(Platform.environment['APP_NAME'] != null);
final String prefix = 'packages/${Platform.environment['APP_NAME']}/';
/// Navigation related actions (pop, push, replace) broadcasts these actions via
/// platform messages.
TestDefaultBinaryMessengerBinding.instance.defaultBinaryMessenger
.setMockMethodCallHandler(SystemChannels.navigation, null);
TestDefaultBinaryMessengerBinding.instance.defaultBinaryMessenger
.setMockMessageHandler(
'flutter/assets',
(ByteData? message) async {
assert(message != null);
String key = utf8.decode(message!.buffer.asUint8List());
File asset = File(path.join(assetFolderPath!, key));
if (!asset.existsSync()) {
// For tests in package, it will load assets with its own package prefix.
// In this case, we do a best-effort look up.
if (!key.startsWith(prefix)) {
return null;
}
key = key.replaceFirst(prefix, '');
asset = File(path.join(assetFolderPath, key));
if (!asset.existsSync()) {
return null;
}
}
final Uint8List encoded = Uint8List.fromList(asset.readAsBytesSync());
return Future<ByteData>.value(encoded.buffer.asByteData());
},
);
}
// TODO(https://github.com/flutter/devtools/issues/6215): remove this helper.
/// Load fonts used by the devtool for golden-tests to use them
Future<void> loadFonts() async {
// source: https://medium.com/swlh/test-your-flutter-widgets-using-golden-files-b533ac0de469
//https://github.com/flutter/flutter/issues/20907
if (Directory.current.path.endsWith('/test')) {
Directory.current = Directory.current.parent;
}
const fonts = {
'Roboto': [
'fonts/Roboto/Roboto-Thin.ttf',
'fonts/Roboto/Roboto-Light.ttf',
'fonts/Roboto/Roboto-Regular.ttf',
'fonts/Roboto/Roboto-Medium.ttf',
'fonts/Roboto/Roboto-Bold.ttf',
'fonts/Roboto/Roboto-Black.ttf',
],
'RobotoMono': [
'fonts/Roboto_Mono/RobotoMono-Thin.ttf',
'fonts/Roboto_Mono/RobotoMono-Light.ttf',
'fonts/Roboto_Mono/RobotoMono-Regular.ttf',
'fonts/Roboto_Mono/RobotoMono-Medium.ttf',
'fonts/Roboto_Mono/RobotoMono-Bold.ttf',
],
'Octicons': ['fonts/Octicons.ttf'],
// 'Codicon': ['packages/codicon/font/codicon.ttf']
};
final loadFontsFuture = fonts.entries.map((entry) async {
final loader = FontLoader(entry.key);
for (final path in entry.value) {
final fontData = File(path).readAsBytes().then((bytes) {
return ByteData.view(Uint8List.fromList(bytes).buffer);
});
loader.addFont(fontData);
}
await loader.load();
});
await Future.wait(loadFontsFuture);
}
void verifyIsSearchMatch(
List<SearchableDataMixin> data,
List<SearchableDataMixin> matches,
) {
for (final request in data) {
if (matches.contains(request)) {
expect(request.isSearchMatch, isTrue);
} else {
expect(request.isSearchMatch, isFalse);
}
}
}
void verifyIsSearchMatchForTreeData<T extends TreeDataSearchStateMixin<T>>(
List<T> data,
List<T> matches,
) {
for (final node in data) {
breadthFirstTraversal<T>(
node,
action: (T e) {
if (matches.contains(e)) {
expect(e.isSearchMatch, isTrue);
} else {
expect(e.isSearchMatch, isFalse);
}
},
);
}
}
void logStatus(String log) {
// ignore: avoid_print, intentional print for test output
print('TEST STATUS: $log');
}
| devtools/packages/devtools_test/lib/src/helpers/utils.dart/0 | {
"file_path": "devtools/packages/devtools_test/lib/src/helpers/utils.dart",
"repo_id": "devtools",
"token_count": 2406
} | 173 |
include: package:flutter_lints/flutter.yaml
| devtools/third_party/packages/codicon/analysis_options.yaml/0 | {
"file_path": "devtools/third_party/packages/codicon/analysis_options.yaml",
"repo_id": "devtools",
"token_count": 16
} | 174 |
#!/bin/bash -e
# Script to analyze the devtools repo for the flutter/tests registry
# https://github.com/flutter/tests
# This is executed as a pre-submit check for every PR in flutter/flutter
# At this point we can expect that mocks have already been generated
# from the setup steps in
# https://github.com/flutter/tests/blob/main/registry/flutter_devtools.test
cd tool
flutter pub get
dart bin/devtools_tool.dart pub-get
dart bin/devtools_tool.dart analyze --no-fatal-infos
cd ..
| devtools/tool/flutter_customer_tests/analyze.sh/0 | {
"file_path": "devtools/tool/flutter_customer_tests/analyze.sh",
"repo_id": "devtools",
"token_count": 155
} | 175 |
// Copyright 2023 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:args/command_runner.dart';
import 'package:io/io.dart';
import '../utils.dart';
class SyncCommand extends Command {
@override
String get name => 'sync';
@override
String get description =>
'Syncs the DevTools repo to HEAD, upgrades dependencies, and performs code generation.';
@override
Future run() async {
final processManager = ProcessManager();
await processManager.runProcess(
CliCommand.git(['pull', 'upstream', 'master']),
);
await processManager.runProcess(
CliCommand.tool(['generate-code', '--upgrade']),
);
}
}
| devtools/tool/lib/commands/sync.dart/0 | {
"file_path": "devtools/tool/lib/commands/sync.dart",
"repo_id": "devtools",
"token_count": 244
} | 176 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_ASSETS_ASSET_RESOLVER_H_
#define FLUTTER_ASSETS_ASSET_RESOLVER_H_
#include <string>
#include <vector>
#include <optional>
#include "flutter/fml/macros.h"
#include "flutter/fml/mapping.h"
namespace flutter {
class AssetManager;
class APKAssetProvider;
class DirectoryAssetBundle;
class AssetResolver {
public:
AssetResolver() = default;
virtual ~AssetResolver() = default;
//----------------------------------------------------------------------------
/// @brief Identifies the type of AssetResolver an instance is.
///
enum AssetResolverType {
kAssetManager,
kApkAssetProvider,
kDirectoryAssetBundle
};
virtual const AssetManager* as_asset_manager() const { return nullptr; }
virtual const APKAssetProvider* as_apk_asset_provider() const {
return nullptr;
}
virtual const DirectoryAssetBundle* as_directory_asset_bundle() const {
return nullptr;
}
virtual bool IsValid() const = 0;
//----------------------------------------------------------------------------
/// @brief Certain asset resolvers are still valid after the asset
/// manager is replaced before a hot reload, or after a new run
/// configuration is created during a hot restart. By preserving
/// these resolvers and re-inserting them into the new resolver or
/// run configuration, the tooling can avoid needing to sync all
/// application assets through the Dart devFS upon connecting to
/// the VM Service. Besides improving the startup performance of
/// running a Flutter application, it also reduces the occurrence
/// of tool failures due to repeated network flakes caused by
/// damaged cables or hereto unknown bugs in the Dart HTTP server
/// implementation.
///
/// @return Returns whether this resolver is valid after the asset manager
/// or run configuration is updated.
///
virtual bool IsValidAfterAssetManagerChange() const = 0;
//----------------------------------------------------------------------------
/// @brief Gets the type of AssetResolver this is. Types are defined in
/// AssetResolverType.
///
/// @return Returns the AssetResolverType that this resolver is.
///
virtual AssetResolverType GetType() const = 0;
[[nodiscard]] virtual std::unique_ptr<fml::Mapping> GetAsMapping(
const std::string& asset_name) const = 0;
//--------------------------------------------------------------------------
/// @brief Same as GetAsMapping() but returns mappings for all files
/// who's name matches a given pattern. Returns empty vector
/// if no matching assets are found.
///
/// @param[in] asset_pattern The pattern to match file names against.
///
/// @param[in] subdir Optional subdirectory in which to search for files.
/// If supplied this function does a flat search within the
/// subdirectory instead of a recursive search through the entire
/// assets directory.
///
/// @return Returns a vector of mappings of files which match the search
/// parameters.
///
[[nodiscard]] virtual std::vector<std::unique_ptr<fml::Mapping>>
GetAsMappings(const std::string& asset_pattern,
const std::optional<std::string>& subdir) const {
return {};
};
virtual bool operator==(const AssetResolver& other) const = 0;
bool operator!=(const AssetResolver& other) const {
return !operator==(other);
}
private:
FML_DISALLOW_COPY_AND_ASSIGN(AssetResolver);
};
} // namespace flutter
#endif // FLUTTER_ASSETS_ASSET_RESOLVER_H_
| engine/assets/asset_resolver.h/0 | {
"file_path": "engine/assets/asset_resolver.h",
"repo_id": "engine",
"token_count": 1256
} | 177 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
source_root = "//flutter/third_party/imgui"
source_set("imgui") {
public = [
"$source_root/imgui.h",
"$source_root/imgui_internal.h",
"$source_root/imstb_rectpack.h",
"$source_root/imstb_textedit.h",
"$source_root/imstb_truetype.h",
]
include_dirs = [ "$source_root" ]
sources = [
"$source_root/imgui.cpp",
"$source_root/imgui.h",
"$source_root/imgui_demo.cpp",
"$source_root/imgui_draw.cpp",
"$source_root/imgui_internal.h",
"$source_root/imgui_tables.cpp",
"$source_root/imgui_widgets.cpp",
"$source_root/imstb_rectpack.h",
"$source_root/imstb_textedit.h",
"$source_root/imstb_truetype.h",
]
}
config("imgui_headers") {
include_dirs = [ "$source_root" ]
}
source_set("imgui_glfw") {
public_deps = [
":imgui",
"//flutter/third_party/glfw",
]
public_configs = [ ":imgui_headers" ]
sources = [
"$source_root/backends/imgui_impl_glfw.cpp",
"$source_root/backends/imgui_impl_glfw.h",
]
}
| engine/build/secondary/flutter/third_party/imgui/BUILD.gn/0 | {
"file_path": "engine/build/secondary/flutter/third_party/imgui/BUILD.gn",
"repo_id": "engine",
"token_count": 503
} | 178 |
# Copyright 2014 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import("//build/config/android/rules.gni")
config("cpu_features_include") {
include_dirs = [ "ndk/sources/android/cpufeatures" ]
}
# This is the GN version of
# //build/android/ndk.gyp:cpu_features
source_set("cpu_features") {
sources = [ "ndk/sources/android/cpufeatures/cpu-features.c" ]
public_configs = [ ":cpu_features_include" ]
configs -= [ "//build/config/compiler:chromium_code" ]
configs += [ "//build/config/compiler:no_chromium_code" ]
}
| engine/build/secondary/third_party/android_tools/BUILD.gn/0 | {
"file_path": "engine/build/secondary/third_party/android_tools/BUILD.gn",
"repo_id": "engine",
"token_count": 215
} | 179 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
config("libcxx_config") {
defines = [ "_LIBCPP_DISABLE_AVAILABILITY=1" ]
include_dirs = [ "//flutter/build/secondary/third_party/libcxx/config" ]
}
config("src_include") {
include_dirs = [ "src" ]
}
source_set("libcxx") {
sources = [
"src/algorithm.cpp",
"src/any.cpp",
"src/bind.cpp",
"src/charconv.cpp",
"src/chrono.cpp",
"src/condition_variable.cpp",
"src/condition_variable_destructor.cpp",
"src/debug.cpp",
"src/exception.cpp",
"src/filesystem/directory_iterator.cpp",
"src/filesystem/filesystem_common.h",
"src/filesystem/int128_builtins.cpp",
"src/filesystem/operations.cpp",
"src/functional.cpp",
"src/future.cpp",
"src/hash.cpp",
"src/ios.cpp",
"src/ios.instantiations.cpp",
"src/iostream.cpp",
"src/locale.cpp",
"src/memory.cpp",
"src/mutex.cpp",
"src/mutex_destructor.cpp",
"src/new.cpp",
"src/optional.cpp",
"src/random.cpp",
"src/regex.cpp",
"src/ryu/d2fixed.cpp",
"src/ryu/d2s.cpp",
"src/ryu/f2s.cpp",
"src/shared_mutex.cpp",
"src/stdexcept.cpp",
"src/string.cpp",
"src/strstream.cpp",
"src/system_error.cpp",
"src/thread.cpp",
"src/typeinfo.cpp",
"src/utility.cpp",
"src/valarray.cpp",
"src/variant.cpp",
"src/vector.cpp",
]
deps = [ "//third_party/libcxxabi" ]
# TODO(goderbauer): remove when all sources build with LTO for android_arm64 and android_x64.
if (is_android && (current_cpu == "arm64" || current_cpu == "x64")) {
sources -= [ "src/new.cpp" ]
deps += [ ":libcxx_nolto" ]
}
public_configs = [
":libcxx_config",
"//third_party/libcxxabi:libcxxabi_config",
]
defines = [
"_LIBCPP_NO_EXCEPTIONS",
"_LIBCPP_NO_RTTI",
"_LIBCPP_BUILDING_LIBRARY",
"LIBCXX_BUILDING_LIBCXXABI",
]
# While no translation units in Flutter engine enable RTTI, it may be enabled
# in one of the third party dependencies. This mirrors the configuration in
# libcxxabi.
configs -= [ "//build/config/compiler:no_rtti" ]
configs += [ "//build/config/compiler:rtti" ]
# libcxx requires C++20
configs -= [ "//build/config/compiler:cxx_version_default" ]
configs += [ "//build/config/compiler:cxx_version_20" ]
configs += [ ":src_include" ]
if (is_clang) {
# shared_mutex.cpp and debug.cpp are purposefully in violation.
cflags_cc = [ "-Wno-thread-safety-analysis" ]
}
}
source_set("libcxx_nolto") {
visibility = [ ":*" ]
sources = [ "src/new.cpp" ]
cflags_cc = [ "-fno-lto" ]
deps = [ "//third_party/libcxxabi" ]
public_configs = [
":libcxx_config",
"//third_party/libcxxabi:libcxxabi_config",
]
defines = [
"_LIBCPP_NO_EXCEPTIONS",
"_LIBCPP_NO_RTTI",
"_LIBCPP_BUILDING_LIBRARY",
"LIBCXX_BUILDING_LIBCXXABI",
]
}
| engine/build/secondary/third_party/libcxx/BUILD.gn/0 | {
"file_path": "engine/build/secondary/third_party/libcxx/BUILD.gn",
"repo_id": "engine",
"token_count": 1295
} | 180 |
import subprocess
import os
gn_in = open("BUILD.input.gn", "rb")
gn_file = gn_in.read()
gn_in.close()
def get_files(path, exclude=[]):
cmd = ["git", "ls-files", "--"]
for ex in exclude:
cmd.append(":!%s" % ex)
cmd.append(path)
git_ls = subprocess.Popen(
cmd,
stdout=subprocess.PIPE,
cwd=os.path.join(os.environ["FUCHSIA_DIR"], "third_party", "protobuf"))
sed1 = subprocess.Popen(
["sed", "s/^/\"/"], stdin=git_ls.stdout, stdout=subprocess.PIPE)
return subprocess.check_output(["sed", "s/$/\",/"], stdin=sed1.stdout)
gn_file = gn_file.replace(
b"PROTOBUF_LITE_PUBLIC",
get_files(
"src/google/protobuf/*.h",
exclude=["*/compiler/*", "*/testing/*", "*/util/*"]))
gn_file = gn_file.replace(
b"PROTOBUF_FULL_PUBLIC",
get_files(
"src/google/protobuf/*.h", exclude=["*/compiler/*", "*/testing/*"]))
gn_file = gn_file.replace(
b"PROTOC_LIB_SOURCES",
get_files(
"src/google/protobuf/compiler/*.cc",
exclude=["*/main.cc", "*test*", "*mock*"]))
gn_file = subprocess.check_output(["gn", "format", "--stdin"], input=gn_file)
gn_out = open("BUILD.gn", "wb")
gn_out.write(
b"# THIS FILE IS GENERATED FROM BUILD.input.gn BY gen.py\n# EDIT BUILD.input.gn FIRST AND THEN RUN gen.py\n#\n#\n"
)
gn_out.write(gn_file)
| engine/build/secondary/third_party/protobuf/gen.py/0 | {
"file_path": "engine/build/secondary/third_party/protobuf/gen.py",
"repo_id": "engine",
"token_count": 633
} | 181 |
{
"builds": [
{
"archives": [],
"drone_dimensions": [
"device_type=none",
"os=Linux"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--android",
"--android-cpu",
"arm64",
"--no-lto",
"--target-dir",
"android_debug_arm64_clang_tidy",
"--rbe",
"--no-goma"
],
"name": "android_debug_arm64_clang_tidy",
"ninja": {
"config": "android_debug_arm64_clang_tidy"
}
},
{
"archives": [],
"drone_dimensions": [
"device_type=none",
"os=Linux"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"debug",
"--prebuilt-dart-sdk",
"--no-lto",
"--target-dir",
"host_debug_clang_tidy",
"--rbe",
"--no-goma"
],
"name": "host_debug_clang_tidy",
"ninja": {
"config": "host_debug_clang_tidy"
}
}
],
"tests": [
{
"name": "test: lint host_debug 0",
"recipe": "engine_v2/tester_engine",
"drone_dimensions": [
"device_type=none",
"os=Linux",
"cores=32"
],
"gclient_variables": {
"download_android_deps": false
},
"dependencies": [
"host_debug_clang_tidy"
],
"tasks": [
{
"name": "test: lint host_debug",
"parameters": [
"--verbose",
"--variant",
"host_debug_clang_tidy",
"--lint-all",
"--shard-id=0",
"--shard-variants=host_debug_clang_tidy,host_debug_clang_tidy,host_debug_clang_tidy"
],
"max_attempts": 1,
"script": "flutter/ci/clang_tidy.sh"
}
]
},
{
"name": "test: lint host_debug 1",
"recipe": "engine_v2/tester_engine",
"drone_dimensions": [
"device_type=none",
"os=Linux",
"cores=32"
],
"gclient_variables": {
"download_android_deps": false
},
"dependencies": [
"host_debug_clang_tidy"
],
"tasks": [
{
"name": "test: lint host_debug",
"parameters": [
"--verbose",
"--variant",
"host_debug_clang_tidy",
"--lint-all",
"--shard-id=1",
"--shard-variants=host_debug_clang_tidy,host_debug_clang_tidy,host_debug_clang_tidy"
],
"max_attempts": 1,
"script": "flutter/ci/clang_tidy.sh"
}
]
},
{
"name": "test: lint host_debug 2",
"recipe": "engine_v2/tester_engine",
"drone_dimensions": [
"device_type=none",
"os=Linux",
"cores=32"
],
"gclient_variables": {
"download_android_deps": false
},
"dependencies": [
"host_debug_clang_tidy"
],
"tasks": [
{
"name": "test: lint host_debug",
"parameters": [
"--verbose",
"--variant",
"host_debug_clang_tidy",
"--lint-all",
"--shard-id=2",
"--shard-variants=host_debug_clang_tidy,host_debug_clang_tidy,host_debug_clang_tidy"
],
"max_attempts": 1,
"script": "flutter/ci/clang_tidy.sh"
}
]
},
{
"name": "test: lint host_debug 3",
"recipe": "engine_v2/tester_engine",
"drone_dimensions": [
"device_type=none",
"os=Linux",
"cores=32"
],
"gclient_variables": {
"download_android_deps": false
},
"dependencies": [
"host_debug_clang_tidy"
],
"tasks": [
{
"name": "test: lint host_debug",
"parameters": [
"--verbose",
"--variant",
"host_debug_clang_tidy",
"--lint-all",
"--shard-id=3",
"--shard-variants=host_debug_clang_tidy,host_debug_clang_tidy,host_debug_clang_tidy"
],
"max_attempts": 1,
"script": "flutter/ci/clang_tidy.sh"
}
]
},
{
"name": "test: lint android_debug_arm64",
"recipe": "engine_v2/tester_engine",
"drone_dimensions": [
"device_type=none",
"os=Linux",
"cores=32"
],
"dependencies": [
"host_debug_clang_tidy",
"android_debug_arm64_clang_tidy"
],
"tasks": [
{
"name": "test: lint android_debug_arm64",
"parameters": [
"--verbose",
"--variant",
"android_debug_arm64_clang_tidy",
"--lint-all",
"--shard-id=0",
"--shard-variants=host_debug_clang_tidy,host_debug_clang_tidy,host_debug_clang_tidy,host_debug_clang_tidy"
],
"max_attempts": 1,
"script": "flutter/ci/clang_tidy.sh"
}
]
}
]
}
| engine/ci/builders/linux_clang_tidy.json/0 | {
"file_path": "engine/ci/builders/linux_clang_tidy.json",
"repo_id": "engine",
"token_count": 4513
} | 182 |
{
"builds": [
{
"archives": [
{
"base_path": "out/android_profile/zip_archives/",
"type": "gcs",
"include_paths": [
"out/android_profile/zip_archives/android-arm-profile/windows-x64.zip"
],
"name": "android_profile",
"realm": "production"
}
],
"drone_dimensions": [
"device_type=none",
"os=Windows-10"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"profile",
"--android",
"--no-goma",
"--rbe"
],
"name": "android_profile",
"ninja": {
"config": "android_profile",
"targets": [
"flutter/build/archives:archive_win_gen_snapshot"
]
}
},
{
"archives": [
{
"base_path": "out/android_profile_arm64/zip_archives/",
"type": "gcs",
"include_paths": [
"out/android_profile_arm64/zip_archives/android-arm64-profile/windows-x64.zip"
],
"name": "android_profile_arm64",
"realm": "production"
}
],
"drone_dimensions": [
"device_type=none",
"os=Windows-10"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"profile",
"--android",
"--android-cpu=arm64",
"--no-goma",
"--rbe"
],
"name": "android_profile_arm64",
"ninja": {
"config": "android_profile_arm64",
"targets": [
"flutter/build/archives:archive_win_gen_snapshot"
]
}
},
{
"archives": [
{
"base_path": "out/android_profile_x64/zip_archives/",
"type": "gcs",
"include_paths": [
"out/android_profile_x64/zip_archives/android-x64-profile/windows-x64.zip"
],
"name": "android_profile_x64",
"realm": "production"
}
],
"drone_dimensions": [
"device_type=none",
"os=Windows-10"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"profile",
"--android",
"--android-cpu=x64",
"--no-goma",
"--rbe"
],
"name": "android_profile_x64",
"ninja": {
"config": "android_profile_x64",
"targets": [
"flutter/build/archives:archive_win_gen_snapshot"
]
}
},
{
"archives": [
{
"base_path": "out/android_release/zip_archives/",
"type": "gcs",
"include_paths": [
"out/android_release/zip_archives/android-arm-release/windows-x64.zip"
],
"name": "android_release",
"realm": "production"
}
],
"drone_dimensions": [
"device_type=none",
"os=Windows-10"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"release",
"--android",
"--no-goma",
"--rbe"
],
"name": "android_release",
"ninja": {
"config": "android_release",
"targets": [
"flutter/build/archives:archive_win_gen_snapshot"
]
}
},
{
"archives": [
{
"base_path": "out/android_release_arm64/zip_archives/",
"type": "gcs",
"include_paths": [
"out/android_release_arm64/zip_archives/android-arm64-release/windows-x64.zip"
],
"name": "android_release_arm64",
"realm": "production"
}
],
"drone_dimensions": [
"device_type=none",
"os=Windows-10"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"release",
"--android",
"--android-cpu=arm64",
"--no-goma",
"--rbe"
],
"name": "android_release_arm64",
"ninja": {
"config": "android_release_arm64",
"targets": [
"flutter/build/archives:archive_win_gen_snapshot"
]
}
},
{
"archives": [
{
"base_path": "out/android_release_x64/zip_archives/",
"type": "gcs",
"include_paths": [
"out/android_release_x64/zip_archives/android-x64-release/windows-x64.zip"
],
"name": "android_release_x64",
"realm": "production"
}
],
"drone_dimensions": [
"device_type=none",
"os=Windows-10"
],
"gclient_variables": {
"use_rbe": true
},
"gn": [
"--runtime-mode",
"release",
"--android",
"--android-cpu=x64",
"--no-goma",
"--rbe"
],
"name": "android_release_x64",
"ninja": {
"config": "android_release_x64",
"targets": [
"flutter/build/archives:archive_win_gen_snapshot"
]
}
}
]
}
| engine/ci/builders/windows_android_aot_engine.json/0 | {
"file_path": "engine/ci/builders/windows_android_aot_engine.json",
"repo_id": "engine",
"token_count": 4472
} | 183 |
Signature: 536cb7e12a84d02e71ba0b1ac3859707
====================================================================================================
LIBRARY: etc1
LIBRARY: vulkan
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_platform.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h264std.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h264std_decode.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h265std.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h265std_decode.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codecs_common.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_android.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_core.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_ios.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_macos.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_win32.h
ORIGIN: Apache-2.0 referenced by ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_xcb.h
ORIGIN: http://www.apache.org/licenses/LICENSE-2.0 referenced by ../../../flutter/third_party/skia/third_party/etc1/etc1.cpp
ORIGIN: http://www.apache.org/licenses/LICENSE-2.0 referenced by ../../../flutter/third_party/skia/third_party/etc1/etc1.h
TYPE: LicenseType.apache
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_platform.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h264std.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h264std_decode.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h265std.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codec_h265std_decode.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vk_video/vulkan_video_codecs_common.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_android.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_core.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_ios.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_macos.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_win32.h
FILE: ../../../flutter/third_party/skia/include/third_party/vulkan/vulkan/vulkan_xcb.h
FILE: ../../../flutter/third_party/skia/third_party/etc1/etc1.cpp
FILE: ../../../flutter/third_party/skia/third_party/etc1/etc1.h
----------------------------------------------------------------------------------------------------
Apache License
Version 2.0, January 2004
http://www.apache.org/licenses/
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
1. Definitions.
"License" shall mean the terms and conditions for use, reproduction,
and distribution as defined by Sections 1 through 9 of this document.
"Licensor" shall mean the copyright owner or entity authorized by
the copyright owner that is granting the License.
"Legal Entity" shall mean the union of the acting entity and all
other entities that control, are controlled by, or are under common
control with that entity. For the purposes of this definition,
"control" means (i) the power, direct or indirect, to cause the
direction or management of such entity, whether by contract or
otherwise, or (ii) ownership of fifty percent (50%) or more of the
outstanding shares, or (iii) beneficial ownership of such entity.
"You" (or "Your") shall mean an individual or Legal Entity
exercising permissions granted by this License.
"Source" form shall mean the preferred form for making modifications,
including but not limited to software source code, documentation
source, and configuration files.
"Object" form shall mean any form resulting from mechanical
transformation or translation of a Source form, including but
not limited to compiled object code, generated documentation,
and conversions to other media types.
"Work" shall mean the work of authorship, whether in Source or
Object form, made available under the License, as indicated by a
copyright notice that is included in or attached to the work
(an example is provided in the Appendix below).
"Derivative Works" shall mean any work, whether in Source or Object
form, that is based on (or derived from) the Work and for which the
editorial revisions, annotations, elaborations, or other modifications
represent, as a whole, an original work of authorship. For the purposes
of this License, Derivative Works shall not include works that remain
separable from, or merely link (or bind by name) to the interfaces of,
the Work and Derivative Works thereof.
"Contribution" shall mean any work of authorship, including
the original version of the Work and any modifications or additions
to that Work or Derivative Works thereof, that is intentionally
submitted to Licensor for inclusion in the Work by the copyright owner
or by an individual or Legal Entity authorized to submit on behalf of
the copyright owner. For the purposes of this definition, "submitted"
means any form of electronic, verbal, or written communication sent
to the Licensor or its representatives, including but not limited to
communication on electronic mailing lists, source code control systems,
and issue tracking systems that are managed by, or on behalf of, the
Licensor for the purpose of discussing and improving the Work, but
excluding communication that is conspicuously marked or otherwise
designated in writing by the copyright owner as "Not a Contribution."
"Contributor" shall mean Licensor and any individual or Legal Entity
on behalf of whom a Contribution has been received by Licensor and
subsequently incorporated within the Work.
2. Grant of Copyright License. Subject to the terms and conditions of
this License, each Contributor hereby grants to You a perpetual,
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
copyright license to reproduce, prepare Derivative Works of,
publicly display, publicly perform, sublicense, and distribute the
Work and such Derivative Works in Source or Object form.
3. Grant of Patent License. Subject to the terms and conditions of
this License, each Contributor hereby grants to You a perpetual,
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
(except as stated in this section) patent license to make, have made,
use, offer to sell, sell, import, and otherwise transfer the Work,
where such license applies only to those patent claims licensable
by such Contributor that are necessarily infringed by their
Contribution(s) alone or by combination of their Contribution(s)
with the Work to which such Contribution(s) was submitted. If You
institute patent litigation against any entity (including a
cross-claim or counterclaim in a lawsuit) alleging that the Work
or a Contribution incorporated within the Work constitutes direct
or contributory patent infringement, then any patent licenses
granted to You under this License for that Work shall terminate
as of the date such litigation is filed.
4. Redistribution. You may reproduce and distribute copies of the
Work or Derivative Works thereof in any medium, with or without
modifications, and in Source or Object form, provided that You
meet the following conditions:
(a) You must give any other recipients of the Work or
Derivative Works a copy of this License; and
(b) You must cause any modified files to carry prominent notices
stating that You changed the files; and
(c) You must retain, in the Source form of any Derivative Works
that You distribute, all copyright, patent, trademark, and
attribution notices from the Source form of the Work,
excluding those notices that do not pertain to any part of
the Derivative Works; and
(d) If the Work includes a "NOTICE" text file as part of its
distribution, then any Derivative Works that You distribute must
include a readable copy of the attribution notices contained
within such NOTICE file, excluding those notices that do not
pertain to any part of the Derivative Works, in at least one
of the following places: within a NOTICE text file distributed
as part of the Derivative Works; within the Source form or
documentation, if provided along with the Derivative Works; or,
within a display generated by the Derivative Works, if and
wherever such third-party notices normally appear. The contents
of the NOTICE file are for informational purposes only and
do not modify the License. You may add Your own attribution
notices within Derivative Works that You distribute, alongside
or as an addendum to the NOTICE text from the Work, provided
that such additional attribution notices cannot be construed
as modifying the License.
You may add Your own copyright statement to Your modifications and
may provide additional or different license terms and conditions
for use, reproduction, or distribution of Your modifications, or
for any such Derivative Works as a whole, provided Your use,
reproduction, and distribution of the Work otherwise complies with
the conditions stated in this License.
5. Submission of Contributions. Unless You explicitly state otherwise,
any Contribution intentionally submitted for inclusion in the Work
by You to the Licensor shall be under the terms and conditions of
this License, without any additional terms or conditions.
Notwithstanding the above, nothing herein shall supersede or modify
the terms of any separate license agreement you may have executed
with Licensor regarding such Contributions.
6. Trademarks. This License does not grant permission to use the trade
names, trademarks, service marks, or product names of the Licensor,
except as required for reasonable and customary use in describing the
origin of the Work and reproducing the content of the NOTICE file.
7. Disclaimer of Warranty. Unless required by applicable law or
agreed to in writing, Licensor provides the Work (and each
Contributor provides its Contributions) on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
implied, including, without limitation, any warranties or conditions
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
PARTICULAR PURPOSE. You are solely responsible for determining the
appropriateness of using or redistributing the Work and assume any
risks associated with Your exercise of permissions under this License.
8. Limitation of Liability. In no event and under no legal theory,
whether in tort (including negligence), contract, or otherwise,
unless required by applicable law (such as deliberate and grossly
negligent acts) or agreed to in writing, shall any Contributor be
liable to You for damages, including any direct, indirect, special,
incidental, or consequential damages of any character arising as a
result of this License or out of the use or inability to use the
Work (including but not limited to damages for loss of goodwill,
work stoppage, computer failure or malfunction, or any and all
other commercial damages or losses), even if such Contributor
has been advised of the possibility of such damages.
9. Accepting Warranty or Additional Liability. While redistributing
the Work or Derivative Works thereof, You may choose to offer,
and charge a fee for, acceptance of support, warranty, indemnity,
or other liability obligations and/or rights consistent with this
License. However, in accepting such obligations, You may act only
on Your own behalf and on Your sole responsibility, not on behalf
of any other Contributor, and only if You agree to indemnify,
defend, and hold each Contributor harmless for any liability
incurred by, or claims asserted against, such Contributor by reason
of your accepting any such warranty or additional liability.
END OF TERMS AND CONDITIONS
APPENDIX: How to apply the Apache License to your work.
To apply the Apache License to your work, attach the following
boilerplate notice, with the fields enclosed by brackets "[]"
replaced with your own identifying information. (Don't include
the brackets!) The text should be enclosed in the appropriate
comment syntax for the file format. We also recommend that a
file or class name and description of purpose be included on the
same "printed page" as the copyright notice for easier
identification within third-party archives.
Copyright [yyyy] [name of copyright owner]
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkEventTracer.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/utils/SkEventTracer.h
----------------------------------------------------------------------------------------------------
Copyright (C) 2014 Google Inc. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/extra.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/multicanvas.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/node.example.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/package-lock.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/paragraphs.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/shaping.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/textapi_utils.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/types/canvaskit-wasm-tests.ts
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/types/index.d.ts
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/types/tsconfig.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/npm_build/types/tslint.json
----------------------------------------------------------------------------------------------------
Copyright (c) 2011 Google Inc. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above
copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the
distribution.
* Neither the name of Google Inc. nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: libmicrohttpd
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/.bazelignore
FILE: ../../../flutter/third_party/skia/.bazelproject
FILE: ../../../flutter/third_party/skia/Cargo.toml
FILE: ../../../flutter/third_party/skia/OWNERS_build_files.android
FILE: ../../../flutter/third_party/skia/RELEASE_NOTES.md
FILE: ../../../flutter/third_party/skia/go.mod
FILE: ../../../flutter/third_party/skia/go.sum
FILE: ../../../flutter/third_party/skia/modules/canvaskit/catchExceptionNop.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/color.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/cpu.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/debug.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/debugger.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser/index.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser/module_uses_ck.ts
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser/package-lock.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser/tsconfig.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser_es6/index.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser_es6/module_uses_ck.ts
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser_es6/package-lock.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/external_test/typescript_browser_es6/tsconfig.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/externs.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/font.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/fonts/NotoMono-Regular.ttf
FILE: ../../../flutter/third_party/skia/modules/canvaskit/future_apis/ImageDecoder.md
FILE: ../../../flutter/third_party/skia/modules/canvaskit/future_apis/WebGPU.md
FILE: ../../../flutter/third_party/skia/modules/canvaskit/gm.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/_namedcolors.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/canvas2dcontext.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/color.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/font.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/htmlcanvas.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/htmlimage.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/imagedata.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/lineargradient.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/path2d.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/pattern.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/postamble.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/preamble.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/radialgradient.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/htmlcanvas/util.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/interface.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/karma.bazel.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/karma.conf.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/matrix.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/memory.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/package-lock.json
FILE: ../../../flutter/third_party/skia/modules/canvaskit/paragraph.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/pathops.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/postamble.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/preamble.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/release.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/rt_shader.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/skottie.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/skp.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/util.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/SIMD/wasm_simd_types.txt
FILE: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/gms.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/viewer.html
FILE: ../../../flutter/third_party/skia/modules/canvaskit/webgl.js
FILE: ../../../flutter/third_party/skia/modules/canvaskit/webgpu.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/chaining.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/externs.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/helper.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/karma.bench.conf.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/karma.conf.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/package-lock.json
FILE: ../../../flutter/third_party/skia/modules/pathkit/perf/effects.bench.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/perf/path.bench.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/perf/pathops.bench.js
FILE: ../../../flutter/third_party/skia/modules/pathkit/perf/perfReporter.js
FILE: ../../../flutter/third_party/skia/modules/skparagraph/test.html
FILE: ../../../flutter/third_party/skia/package-lock.json
FILE: ../../../flutter/third_party/skia/relnotes/MTLBinaryArchive.md
FILE: ../../../flutter/third_party/skia/src/gpu/gpu_workaround_list.txt
FILE: ../../../flutter/third_party/skia/src/ports/fontations/Cargo.toml
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_compute.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_compute.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_frag.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_frag.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_gpu.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_gpu.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_frag.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_frag.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_frag_es2.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_frag_es2.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_vert.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_vert.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_vert_es2.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_graphite_vert_es2.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_public.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_public.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_rt_shader.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_rt_shader.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_shared.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_shared.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_vert.minified.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/generated/sksl_vert.unoptimized.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/lex/sksl.lex
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_compute.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_frag.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_gpu.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_graphite_frag.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_graphite_frag_es2.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_graphite_vert.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_graphite_vert_es2.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_public.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_rt_shader.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_shared.sksl
FILE: ../../../flutter/third_party/skia/src/sksl/sksl_vert.sksl
FILE: ../../../flutter/third_party/skia/third_party/go.mod
FILE: ../../../flutter/third_party/skia/third_party/libmicrohttpd/MHD_config.h
FILE: ../../../flutter/third_party/skia/toolchain/linux_trampolines/IWYU_mapping.imp
FILE: ../../../flutter/third_party/skia/toolchain/ndk.BUILD
FILE: ../../../flutter/third_party/skia/whitespace.txt
----------------------------------------------------------------------------------------------------
Copyright (c) 2011 Google Inc. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTraceEvent.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkTraceEvent.h
----------------------------------------------------------------------------------------------------
Copyright (c) 2014 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/sksl/GLSL.std.450.h
ORIGIN: ../../../flutter/third_party/skia/src/sksl/spirv.h
TYPE: LicenseType.unknown
FILE: ../../../flutter/third_party/skia/src/sksl/GLSL.std.450.h
FILE: ../../../flutter/third_party/skia/src/sksl/spirv.h
----------------------------------------------------------------------------------------------------
Copyright (c) 2014-2016 The Khronos Group Inc.
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and/or associated documentation files (the "Materials"),
to deal in the Materials without restriction, including without limitation
the rights to use, copy, modify, merge, publish, distribute, sublicense,
and/or sell copies of the Materials, and to permit persons to whom the
Materials are furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Materials.
MODIFICATIONS TO THIS FILE MAY MEAN IT NO LONGER ACCURATELY REFLECTS KHRONOS
STANDARDS. THE UNMODIFIED, NORMATIVE VERSIONS OF KHRONOS SPECIFICATIONS AND
HEADER INFORMATION ARE LOCATED AT https://www.khronos.org/registry/
THE MATERIALS ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM,OUT OF OR IN CONNECTION WITH THE MATERIALS OR THE USE OR OTHER DEALINGS
IN THE MATERIALS.
====================================================================================================
====================================================================================================
LIBRARY: expat
LIBRARY: harfbuzz
ORIGIN: ../../../flutter/third_party/skia/third_party/expat/LICENSE
ORIGIN: ../../../flutter/third_party/skia/third_party/harfbuzz/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/third_party/expat/0001-Do-not-claim-getrandom.patch
FILE: ../../../flutter/third_party/skia/third_party/expat/0002-Do-not-claim-arc4random_buf.patch
FILE: ../../../flutter/third_party/skia/third_party/expat/include/expat_config/expat_config.h
FILE: ../../../flutter/third_party/skia/third_party/harfbuzz/config-override.h
----------------------------------------------------------------------------------------------------
Copyright (c) 2021 Google Inc. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above
copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the
distribution.
* Neither the name of Google Inc. nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/core/SkRegion.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/core/SkRegion.h
----------------------------------------------------------------------------------------------------
Copyright 2005 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/config/SkUserConfig.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkBitmap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkColor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkColorPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFlattenable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkGraphics.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkMaskFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkMatrix.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPaint.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPathMeasure.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkRefCnt.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkScalar.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkString.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTypeface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/Sk1DPathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/Sk2DPathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkBlurMaskFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkCornerPathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkDashPathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkDiscretePathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkGradientShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkTableMaskFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkColorData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkDeque.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkFixed.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkFloatingPoint.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkMath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkNoncopyable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkPoint_impl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTDArray.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTemplates.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkCamera.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkParse.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkParsePath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBase64.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBase64.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkDebug.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkDeque.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkEndian.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkRandom.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTSearch.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTSearch.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTSort.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAlphaRuns.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAlphaRuns.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAnalyticEdge.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAnalyticEdge.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitBWMaskTemplate.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitter_A8.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitter_ARGB32.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitter_Sprite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlurMask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlurMask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlurMaskFilterImpl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCoreBlitters.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDescriptor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDraw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDraw.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEdge.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEdge.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFDot6.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGeometry.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGeometry.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGlyph.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGraphics.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMatrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkOSFile.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPaint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathEffectBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPointPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRegion.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRegionPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRegion_path.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScalerContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScalerContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScanPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan_AntiPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan_Hairline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan_Path.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSpriteBlitter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSpriteBlitter_ARGB32.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStream.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrike.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrike.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkString.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStroke.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrokerPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrokerPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/Sk1DPathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/Sk2DPathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkCornerPathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkDashPathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkDiscretePathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkEmbossMask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkEmbossMask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkEmbossMaskFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkEmbossMaskFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkBlendModeColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorFilterBase.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorFilterBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkPngEncoderImpl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkDebug_android.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkDebug_stdio.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontHost_FreeType.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontHost_win.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_mac_ct.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSFile_stdio.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkScalerContext_mac_ct.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_mac_ct.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkBitmapProcShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkBlendShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCamera.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkParse.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkParseColor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCTFontCreateExactCopy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCTFontCreateExactCopy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xml/SkDOM.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xml/SkDOM.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xml/SkXMLParser.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xml/SkXMLParser.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xml/SkXMLWriter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xml/SkXMLWriter.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/config/SkUserConfig.h
FILE: ../../../flutter/third_party/skia/include/core/SkBitmap.h
FILE: ../../../flutter/third_party/skia/include/core/SkCanvas.h
FILE: ../../../flutter/third_party/skia/include/core/SkColor.h
FILE: ../../../flutter/third_party/skia/include/core/SkColorFilter.h
FILE: ../../../flutter/third_party/skia/include/core/SkColorPriv.h
FILE: ../../../flutter/third_party/skia/include/core/SkFlattenable.h
FILE: ../../../flutter/third_party/skia/include/core/SkGraphics.h
FILE: ../../../flutter/third_party/skia/include/core/SkMaskFilter.h
FILE: ../../../flutter/third_party/skia/include/core/SkMatrix.h
FILE: ../../../flutter/third_party/skia/include/core/SkPaint.h
FILE: ../../../flutter/third_party/skia/include/core/SkPath.h
FILE: ../../../flutter/third_party/skia/include/core/SkPathEffect.h
FILE: ../../../flutter/third_party/skia/include/core/SkPathMeasure.h
FILE: ../../../flutter/third_party/skia/include/core/SkRect.h
FILE: ../../../flutter/third_party/skia/include/core/SkRefCnt.h
FILE: ../../../flutter/third_party/skia/include/core/SkScalar.h
FILE: ../../../flutter/third_party/skia/include/core/SkShader.h
FILE: ../../../flutter/third_party/skia/include/core/SkStream.h
FILE: ../../../flutter/third_party/skia/include/core/SkString.h
FILE: ../../../flutter/third_party/skia/include/core/SkTypeface.h
FILE: ../../../flutter/third_party/skia/include/core/SkTypes.h
FILE: ../../../flutter/third_party/skia/include/effects/Sk1DPathEffect.h
FILE: ../../../flutter/third_party/skia/include/effects/Sk2DPathEffect.h
FILE: ../../../flutter/third_party/skia/include/effects/SkBlurMaskFilter.h
FILE: ../../../flutter/third_party/skia/include/effects/SkCornerPathEffect.h
FILE: ../../../flutter/third_party/skia/include/effects/SkDashPathEffect.h
FILE: ../../../flutter/third_party/skia/include/effects/SkDiscretePathEffect.h
FILE: ../../../flutter/third_party/skia/include/effects/SkGradientShader.h
FILE: ../../../flutter/third_party/skia/include/effects/SkTableMaskFilter.h
FILE: ../../../flutter/third_party/skia/include/private/SkColorData.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkDeque.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkFixed.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkFloatingPoint.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkMath.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkNoncopyable.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkPoint_impl.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTDArray.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTemplates.h
FILE: ../../../flutter/third_party/skia/include/utils/SkCamera.h
FILE: ../../../flutter/third_party/skia/include/utils/SkParse.h
FILE: ../../../flutter/third_party/skia/include/utils/SkParsePath.h
FILE: ../../../flutter/third_party/skia/src/base/SkBase64.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkBase64.h
FILE: ../../../flutter/third_party/skia/src/base/SkBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkBuffer.h
FILE: ../../../flutter/third_party/skia/src/base/SkDebug.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkDeque.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkEndian.h
FILE: ../../../flutter/third_party/skia/src/base/SkRandom.h
FILE: ../../../flutter/third_party/skia/src/base/SkTSearch.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkTSearch.h
FILE: ../../../flutter/third_party/skia/src/base/SkTSort.h
FILE: ../../../flutter/third_party/skia/src/base/SkUtils.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkAlphaRuns.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkAlphaRuns.h
FILE: ../../../flutter/third_party/skia/src/core/SkAnalyticEdge.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkAnalyticEdge.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlitBWMaskTemplate.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlitter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitter.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlitter_A8.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitter_ARGB32.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitter_Sprite.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlurMask.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlurMask.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlurMaskFilterImpl.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColor.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCoreBlitters.h
FILE: ../../../flutter/third_party/skia/src/core/SkDescriptor.h
FILE: ../../../flutter/third_party/skia/src/core/SkDraw.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDraw.h
FILE: ../../../flutter/third_party/skia/src/core/SkEdge.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkEdge.h
FILE: ../../../flutter/third_party/skia/src/core/SkFDot6.h
FILE: ../../../flutter/third_party/skia/src/core/SkGeometry.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkGeometry.h
FILE: ../../../flutter/third_party/skia/src/core/SkGlyph.h
FILE: ../../../flutter/third_party/skia/src/core/SkGraphics.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMask.h
FILE: ../../../flutter/third_party/skia/src/core/SkMaskFilter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMatrix.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkOSFile.h
FILE: ../../../flutter/third_party/skia/src/core/SkPaint.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPath.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPathEffectBase.h
FILE: ../../../flutter/third_party/skia/src/core/SkPointPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkRect.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRegion.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRegionPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkRegion_path.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkScalerContext.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkScalerContext.h
FILE: ../../../flutter/third_party/skia/src/core/SkScan.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkScanPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkScan_AntiPath.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkScan_Hairline.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkScan_Path.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSpriteBlitter.h
FILE: ../../../flutter/third_party/skia/src/core/SkSpriteBlitter_ARGB32.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStream.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStrike.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStrike.h
FILE: ../../../flutter/third_party/skia/src/core/SkString.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStroke.h
FILE: ../../../flutter/third_party/skia/src/core/SkStrokerPriv.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStrokerPriv.h
FILE: ../../../flutter/third_party/skia/src/effects/Sk1DPathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/effects/Sk2DPathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkCornerPathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkDashPathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkDiscretePathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkEmbossMask.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkEmbossMask.h
FILE: ../../../flutter/third_party/skia/src/effects/SkEmbossMaskFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkEmbossMaskFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkBlendModeColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorFilterBase.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorFilterBase.h
FILE: ../../../flutter/third_party/skia/src/encode/SkPngEncoderImpl.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkDebug_android.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkDebug_stdio.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontHost_FreeType.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontHost_win.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_mac_ct.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkOSFile_stdio.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkScalerContext_mac_ct.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_mac_ct.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkBitmapProcShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkBlendShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkShader.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkCamera.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkParse.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkParseColor.cpp
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCTFontCreateExactCopy.cpp
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCTFontCreateExactCopy.h
FILE: ../../../flutter/third_party/skia/src/xml/SkDOM.cpp
FILE: ../../../flutter/third_party/skia/src/xml/SkDOM.h
FILE: ../../../flutter/third_party/skia/src/xml/SkXMLParser.cpp
FILE: ../../../flutter/third_party/skia/src/xml/SkXMLParser.h
FILE: ../../../flutter/third_party/skia/src/xml/SkXMLWriter.cpp
FILE: ../../../flutter/third_party/skia/src/xml/SkXMLWriter.h
----------------------------------------------------------------------------------------------------
Copyright 2006 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontHost_FreeType_common.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontHost_FreeType_common.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_FreeType.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/ports/SkFontHost_FreeType_common.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontHost_FreeType_common.h
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_FreeType.h
----------------------------------------------------------------------------------------------------
Copyright 2006-2012 The Android Open Source Project
Copyright 2012 Mozilla Foundation
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPicture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkColorMatrix.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkColorMatrixFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapProcState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPicture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkJpegEncoderImpl.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/core/SkPicture.h
FILE: ../../../flutter/third_party/skia/include/effects/SkColorMatrix.h
FILE: ../../../flutter/third_party/skia/include/effects/SkColorMatrixFilter.h
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapProcState.h
FILE: ../../../flutter/third_party/skia/src/core/SkMask.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPicture.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkJpegEncoderImpl.cpp
----------------------------------------------------------------------------------------------------
Copyright 2007 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapProcState_matrixProcs.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapProcState_matrixProcs.cpp
----------------------------------------------------------------------------------------------------
Copyright 2008 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/core/SkMallocPixelRef.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPixelRef.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkUnPreMultiply.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkBlurDrawLooper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkFloatBits.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkMathPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathMeasure.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPoint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPtrRecorder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStroke.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkWriter32.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/core/SkMallocPixelRef.h
FILE: ../../../flutter/third_party/skia/include/core/SkPixelRef.h
FILE: ../../../flutter/third_party/skia/include/core/SkUnPreMultiply.h
FILE: ../../../flutter/third_party/skia/include/effects/SkBlurDrawLooper.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkFloatBits.h
FILE: ../../../flutter/third_party/skia/src/base/SkMathPriv.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBitmap.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPathMeasure.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPoint.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPtrRecorder.h
FILE: ../../../flutter/third_party/skia/src/core/SkStroke.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkWriter32.h
----------------------------------------------------------------------------------------------------
Copyright 2008 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkColorPalette.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCubicClipper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCubicClipper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEdgeClipper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEdgeClipper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkQuadClipper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkQuadClipper.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/codec/SkColorPalette.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCubicClipper.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCubicClipper.h
FILE: ../../../flutter/third_party/skia/src/core/SkEdgeClipper.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkEdgeClipper.h
FILE: ../../../flutter/third_party/skia/src/core/SkQuadClipper.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkQuadClipper.h
----------------------------------------------------------------------------------------------------
Copyright 2009 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface_direct.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface_direct.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface_direct_factory.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface_direct.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface_direct.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface_direct_factory.cpp
----------------------------------------------------------------------------------------------------
Copyright 2009-2015 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTBlockList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterClip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterClip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrikeCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/BufferWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/Rectanizer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/RectanizerPow2.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/Device.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferAllocPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferAllocPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrClip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFixedClip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SkGr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkDebug_win.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/Glyph.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/gpu/GrTypes.h
FILE: ../../../flutter/third_party/skia/src/base/SkTBlockList.h
FILE: ../../../flutter/third_party/skia/src/core/SkImageInfo.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRasterClip.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRasterClip.h
FILE: ../../../flutter/third_party/skia/src/core/SkStrikeCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/BufferWriter.h
FILE: ../../../flutter/third_party/skia/src/gpu/Rectanizer.h
FILE: ../../../flutter/third_party/skia/src/gpu/RectanizerPow2.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/Device.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferAllocPool.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferAllocPool.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrClip.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFixedClip.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpu.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SkGr.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrRect.h
FILE: ../../../flutter/third_party/skia/src/ports/SkDebug_win.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/Glyph.h
----------------------------------------------------------------------------------------------------
Copyright 2010 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDevice.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScalar.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTextFormatParams.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkJPEGWriteUtility.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkJPEGWriteUtility.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkWebpEncoderImpl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkDeflate.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkDeflate.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFFormXObject.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFFormXObject.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFTypes.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkDevice.h
FILE: ../../../flutter/third_party/skia/src/core/SkScalar.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTextFormatParams.h
FILE: ../../../flutter/third_party/skia/src/encode/SkJPEGWriteUtility.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkJPEGWriteUtility.h
FILE: ../../../flutter/third_party/skia/src/encode/SkWebpEncoderImpl.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkDeflate.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkDeflate.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFFormXObject.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFFormXObject.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicState.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFTypes.h
----------------------------------------------------------------------------------------------------
Copyright 2010 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/aaclip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/aarectmodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/arithmode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmapcopy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmapfilters.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmaprect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clip_strokerect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clipshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/color4f.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colormatrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/complexclip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/complexclip2.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/convexpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/cubicpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/degeneratesegments.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dftext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawbitmaprect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/emptypath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/encode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/filltypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/filltypespersp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/filterindiabox.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontscaler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gammatext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/giantbitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gm.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gm.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradtext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hairmodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hittestpath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/image.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imageblur.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imageblur2.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefiltersbase.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefilterscropped.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lcdtext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/linepaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/ninepatchstretch.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathfill.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathreverse.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/persptext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/points.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/poly2poly.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/quadpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rasterhandleallocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/shaderpath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/shadertext3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/strokefill.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/strokerects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/strokes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tablecolorfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/texteffects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tilemodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tilemodes_scaled.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tinybitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/xfermodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkImageFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSize.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkLayerDrawLooper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLConfig.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLConfig_chrome.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkTypeface_mac.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkTypeface_win.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTArray.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkNWayCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/mac/SkCGUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTLazy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAAClip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAAClip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAdvancedTypefaceMetrics.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapProcState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitRow.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitRow_D32.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkClipStack.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkClipStack.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkConvertPixels.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkData.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDevice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawProcs.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEdgeBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEdgeBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFlattenable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontStream.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLineClipper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLineClipper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMallocPixelRef.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureData.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureFlat.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureFlat.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureRecord.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureRecord.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPixelRef.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPtrRecorder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkReadBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTypefaceCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTypefaceCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkUnPreMultiply.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkWriteBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkWriter32.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkColorMatrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkColorMatrixFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkLayerDrawLooper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkTableMaskFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkMatrixColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/Device.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAttachment.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAttachment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResource.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrNativeRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPaint.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStencilSettings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRendererChain.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRendererChain.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrPathUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrPathUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAttachment.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAttachment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLDefines.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGLSL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGLSL.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGpu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGpuProgramCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLInterfaceAutogen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLMakeNativeInterface_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgram.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgram.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUtil.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/mac/GrGLMakeNativeInterface_mac.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/win/GrGLMakeNativeInterface_win.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAHairLinePathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAHairLinePathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DefaultPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DefaultPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFDevice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFDevice.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFDocument.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFFont.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFFont.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeToUnicodeCmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkGlobalInitialization_default.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkMemory_malloc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkScalerContext_win_dw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkBitmapProcShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkBitSet.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkNWayCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkOSPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkParsePath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCreateCGImageRef.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkAutoCoInitialize.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkAutoCoInitialize.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkHRESULT.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkHRESULT.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkIStream.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkIStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkTScopedComPtr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xps/SkXPSDevice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xps/SkXPSDevice.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/aaclip.cpp
FILE: ../../../flutter/third_party/skia/gm/aarectmodes.cpp
FILE: ../../../flutter/third_party/skia/gm/arithmode.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmapcopy.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmapfilters.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmaprect.cpp
FILE: ../../../flutter/third_party/skia/gm/blurs.cpp
FILE: ../../../flutter/third_party/skia/gm/clip_strokerect.cpp
FILE: ../../../flutter/third_party/skia/gm/clipshader.cpp
FILE: ../../../flutter/third_party/skia/gm/color4f.cpp
FILE: ../../../flutter/third_party/skia/gm/colormatrix.cpp
FILE: ../../../flutter/third_party/skia/gm/complexclip.cpp
FILE: ../../../flutter/third_party/skia/gm/complexclip2.cpp
FILE: ../../../flutter/third_party/skia/gm/convexpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/cubicpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/degeneratesegments.cpp
FILE: ../../../flutter/third_party/skia/gm/dftext.cpp
FILE: ../../../flutter/third_party/skia/gm/drawbitmaprect.cpp
FILE: ../../../flutter/third_party/skia/gm/emptypath.cpp
FILE: ../../../flutter/third_party/skia/gm/encode.cpp
FILE: ../../../flutter/third_party/skia/gm/filltypes.cpp
FILE: ../../../flutter/third_party/skia/gm/filltypespersp.cpp
FILE: ../../../flutter/third_party/skia/gm/filterindiabox.cpp
FILE: ../../../flutter/third_party/skia/gm/fontscaler.cpp
FILE: ../../../flutter/third_party/skia/gm/gammatext.cpp
FILE: ../../../flutter/third_party/skia/gm/giantbitmap.cpp
FILE: ../../../flutter/third_party/skia/gm/gm.cpp
FILE: ../../../flutter/third_party/skia/gm/gm.h
FILE: ../../../flutter/third_party/skia/gm/gradients.cpp
FILE: ../../../flutter/third_party/skia/gm/gradtext.cpp
FILE: ../../../flutter/third_party/skia/gm/hairmodes.cpp
FILE: ../../../flutter/third_party/skia/gm/hittestpath.cpp
FILE: ../../../flutter/third_party/skia/gm/image.cpp
FILE: ../../../flutter/third_party/skia/gm/imageblur.cpp
FILE: ../../../flutter/third_party/skia/gm/imageblur2.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefiltersbase.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefilterscropped.cpp
FILE: ../../../flutter/third_party/skia/gm/lcdtext.cpp
FILE: ../../../flutter/third_party/skia/gm/linepaths.cpp
FILE: ../../../flutter/third_party/skia/gm/ninepatchstretch.cpp
FILE: ../../../flutter/third_party/skia/gm/pathfill.cpp
FILE: ../../../flutter/third_party/skia/gm/pathreverse.cpp
FILE: ../../../flutter/third_party/skia/gm/persptext.cpp
FILE: ../../../flutter/third_party/skia/gm/points.cpp
FILE: ../../../flutter/third_party/skia/gm/poly2poly.cpp
FILE: ../../../flutter/third_party/skia/gm/quadpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/rasterhandleallocator.cpp
FILE: ../../../flutter/third_party/skia/gm/shaderpath.cpp
FILE: ../../../flutter/third_party/skia/gm/shadertext3.cpp
FILE: ../../../flutter/third_party/skia/gm/strokefill.cpp
FILE: ../../../flutter/third_party/skia/gm/strokerects.cpp
FILE: ../../../flutter/third_party/skia/gm/strokes.cpp
FILE: ../../../flutter/third_party/skia/gm/tablecolorfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/texteffects.cpp
FILE: ../../../flutter/third_party/skia/gm/tilemodes.cpp
FILE: ../../../flutter/third_party/skia/gm/tilemodes_scaled.cpp
FILE: ../../../flutter/third_party/skia/gm/tinybitmap.cpp
FILE: ../../../flutter/third_party/skia/gm/xfermodes.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkData.h
FILE: ../../../flutter/third_party/skia/include/core/SkImageFilter.h
FILE: ../../../flutter/third_party/skia/include/core/SkSize.h
FILE: ../../../flutter/third_party/skia/include/effects/SkLayerDrawLooper.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLConfig.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLConfig_chrome.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLInterface.h
FILE: ../../../flutter/third_party/skia/include/ports/SkTypeface_mac.h
FILE: ../../../flutter/third_party/skia/include/ports/SkTypeface_win.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTArray.h
FILE: ../../../flutter/third_party/skia/include/utils/SkNWayCanvas.h
FILE: ../../../flutter/third_party/skia/include/utils/mac/SkCGUtils.h
FILE: ../../../flutter/third_party/skia/src/base/SkTLazy.h
FILE: ../../../flutter/third_party/skia/src/core/SkAAClip.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkAAClip.h
FILE: ../../../flutter/third_party/skia/src/core/SkAdvancedTypefaceMetrics.h
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapProcState.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitRow.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlitRow_D32.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkClipStack.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkClipStack.h
FILE: ../../../flutter/third_party/skia/src/core/SkConvertPixels.h
FILE: ../../../flutter/third_party/skia/src/core/SkData.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDevice.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDrawProcs.h
FILE: ../../../flutter/third_party/skia/src/core/SkEdgeBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkEdgeBuilder.h
FILE: ../../../flutter/third_party/skia/src/core/SkFlattenable.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFontStream.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkLineClipper.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkLineClipper.h
FILE: ../../../flutter/third_party/skia/src/core/SkMallocPixelRef.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPictureData.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPictureData.h
FILE: ../../../flutter/third_party/skia/src/core/SkPictureFlat.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPictureFlat.h
FILE: ../../../flutter/third_party/skia/src/core/SkPictureRecord.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPictureRecord.h
FILE: ../../../flutter/third_party/skia/src/core/SkPixelRef.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPtrRecorder.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkReadBuffer.h
FILE: ../../../flutter/third_party/skia/src/core/SkTypefaceCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTypefaceCache.h
FILE: ../../../flutter/third_party/skia/src/core/SkUnPreMultiply.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkWriteBuffer.h
FILE: ../../../flutter/third_party/skia/src/core/SkWriter32.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkColorMatrix.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkColorMatrixFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkLayerDrawLooper.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkTableMaskFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkMatrixColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/Device.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAttachment.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAttachment.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpu.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResource.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrNativeRect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPaint.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStencilSettings.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRendererChain.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/PathRendererChain.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrPathUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrPathUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAttachment.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAttachment.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLDefines.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGLSL.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGLSL.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGpu.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGpu.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLGpuProgramCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLInterfaceAutogen.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLMakeNativeInterface_none.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgram.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgram.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUtil.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/mac/GrGLMakeNativeInterface_mac.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/win/GrGLMakeNativeInterface_win.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAHairLinePathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAHairLinePathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DefaultPathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DefaultPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFDevice.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFDevice.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFDocument.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFFont.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFFont.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicState.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeToUnicodeCmap.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFShader.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFShader.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFTypes.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFUtils.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFUtils.h
FILE: ../../../flutter/third_party/skia/src/ports/SkGlobalInitialization_default.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkMemory_malloc.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkScalerContext_win_dw.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkBitmapProcShader.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkBitSet.h
FILE: ../../../flutter/third_party/skia/src/utils/SkNWayCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkOSPath.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkParsePath.cpp
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCreateCGImageRef.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkAutoCoInitialize.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkAutoCoInitialize.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkHRESULT.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkHRESULT.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkIStream.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkIStream.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkTScopedComPtr.h
FILE: ../../../flutter/third_party/skia/src/xps/SkXPSDevice.cpp
FILE: ../../../flutter/third_party/skia/src/xps/SkXPSDevice.h
----------------------------------------------------------------------------------------------------
Copyright 2011 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkMemory_mozalloc.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/ports/SkMemory_mozalloc.cpp
----------------------------------------------------------------------------------------------------
Copyright 2011 Google Inc.
Copyright 2012 Mozilla Foundation
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/core/SkDrawLooper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan_Antihair.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTypeface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkBlurImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_android_parser.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_android_parser.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/core/SkDrawLooper.h
FILE: ../../../flutter/third_party/skia/src/core/SkScan.h
FILE: ../../../flutter/third_party/skia/src/core/SkScan_Antihair.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTypeface.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkBlurImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_android_parser.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_android_parser.h
----------------------------------------------------------------------------------------------------
Copyright 2011 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/bigmatrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurrect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colorfilterimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/composeshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dashcubics.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dashing.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/distantclip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fatpathfill.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/getpostextpath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefiltersgraph.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagemagnifier.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lighting.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/matrixconvolution.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/modecolorfilters.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/morphology.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/patheffects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathinterior.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rrect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rrects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/runtimeimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/samplerstress.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/simpleaaclip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/srcmode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/strokerect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/typeface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/verylargebitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkAnnotation.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkRRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkStrokeRec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSurface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLFunctions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/pathops/SkPathOps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkPathRef.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkWeakRefCnt.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkNullCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkMathPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTInternalLList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkColorPalette.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAnnotation.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkChecksum.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontDescriptor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontDescriptor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImagePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMD5.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMD5.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskGamma.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskGamma.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPaintDefaults.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRRect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRTree.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRTree.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkReadBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrokeRec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkWriteBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMemoryPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMemoryPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorUnitTest.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSWMaskHelper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSWMaskHelper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgramDataManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgramDataManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_Ganesh.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAConvexPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAConvexPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SoftwarePathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SoftwarePathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_Ganesh.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Base.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Raster.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkSurface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkSurface_Base.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkSurface_Raster.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkSurface_Raster.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkAddIntersections.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkAddIntersections.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkDCubicLineIntersection.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkDLineIntersection.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkDQuadLineIntersection.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkIntersectionHelper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkIntersections.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkIntersections.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkLineParameters.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpAngle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpAngle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpCubicHull.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpEdgeBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpEdgeBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpSegment.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpSegment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpSpan.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsBounds.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCommon.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCommon.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCubic.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCubic.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCurve.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsLine.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsLine.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsPoint.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsQuad.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsQuad.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsRect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsSimplify.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathWriter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkReduceOrder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkReduceOrder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkIBMFamilyClass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTableTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V0.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V1.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V2.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V3.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V4.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_VA.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_glyf.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_head.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_hhea.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_loca.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_maxp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_maxp_CFF.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_maxp_TT.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_name.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_post.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkPanose.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkSFNTHeader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkConicalGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkConicalGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkGradientBaseShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkLinearGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkLinearGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkRadialGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkSweepGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkFloatUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkNullCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWriteFontFileStream.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWriteFontFileStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWriteGeometrySink.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWriteGeometrySink.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/bigmatrix.cpp
FILE: ../../../flutter/third_party/skia/gm/blurrect.cpp
FILE: ../../../flutter/third_party/skia/gm/colorfilterimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/composeshader.cpp
FILE: ../../../flutter/third_party/skia/gm/dashcubics.cpp
FILE: ../../../flutter/third_party/skia/gm/dashing.cpp
FILE: ../../../flutter/third_party/skia/gm/distantclip.cpp
FILE: ../../../flutter/third_party/skia/gm/fatpathfill.cpp
FILE: ../../../flutter/third_party/skia/gm/getpostextpath.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefiltersgraph.cpp
FILE: ../../../flutter/third_party/skia/gm/imagemagnifier.cpp
FILE: ../../../flutter/third_party/skia/gm/lighting.cpp
FILE: ../../../flutter/third_party/skia/gm/matrixconvolution.cpp
FILE: ../../../flutter/third_party/skia/gm/modecolorfilters.cpp
FILE: ../../../flutter/third_party/skia/gm/morphology.cpp
FILE: ../../../flutter/third_party/skia/gm/patheffects.cpp
FILE: ../../../flutter/third_party/skia/gm/pathinterior.cpp
FILE: ../../../flutter/third_party/skia/gm/rrect.cpp
FILE: ../../../flutter/third_party/skia/gm/rrects.cpp
FILE: ../../../flutter/third_party/skia/gm/runtimeimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/samplerstress.cpp
FILE: ../../../flutter/third_party/skia/gm/simpleaaclip.cpp
FILE: ../../../flutter/third_party/skia/gm/srcmode.cpp
FILE: ../../../flutter/third_party/skia/gm/strokerect.cpp
FILE: ../../../flutter/third_party/skia/gm/typeface.cpp
FILE: ../../../flutter/third_party/skia/gm/verylargebitmap.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkAnnotation.h
FILE: ../../../flutter/third_party/skia/include/core/SkImage.h
FILE: ../../../flutter/third_party/skia/include/core/SkRRect.h
FILE: ../../../flutter/third_party/skia/include/core/SkStrokeRec.h
FILE: ../../../flutter/third_party/skia/include/core/SkSurface.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLFunctions.h
FILE: ../../../flutter/third_party/skia/include/pathops/SkPathOps.h
FILE: ../../../flutter/third_party/skia/include/private/SkPathRef.h
FILE: ../../../flutter/third_party/skia/include/private/SkWeakRefCnt.h
FILE: ../../../flutter/third_party/skia/include/utils/SkNullCanvas.h
FILE: ../../../flutter/third_party/skia/src/base/SkMathPriv.h
FILE: ../../../flutter/third_party/skia/src/base/SkTInternalLList.h
FILE: ../../../flutter/third_party/skia/src/codec/SkColorPalette.h
FILE: ../../../flutter/third_party/skia/src/core/SkAnnotation.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkChecksum.h
FILE: ../../../flutter/third_party/skia/src/core/SkFontDescriptor.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFontDescriptor.h
FILE: ../../../flutter/third_party/skia/src/core/SkImagePriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkMD5.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMD5.h
FILE: ../../../flutter/third_party/skia/src/core/SkMaskGamma.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMaskGamma.h
FILE: ../../../flutter/third_party/skia/src/core/SkPaintDefaults.h
FILE: ../../../flutter/third_party/skia/src/core/SkRRect.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRTree.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRTree.h
FILE: ../../../flutter/third_party/skia/src/core/SkReadBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStrokeRec.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkWriteBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMemoryPool.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMemoryPool.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessor.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorUnitTest.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSWMaskHelper.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSWMaskHelper.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurface.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgramDataManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLProgramDataManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUtil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_Ganesh.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAConvexPathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AAConvexPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SoftwarePathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SoftwarePathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_Ganesh.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImage.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Base.h
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Raster.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkSurface.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkSurface_Base.h
FILE: ../../../flutter/third_party/skia/src/image/SkSurface_Raster.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkSurface_Raster.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkAddIntersections.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkAddIntersections.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkDCubicLineIntersection.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkDLineIntersection.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkDQuadLineIntersection.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkIntersectionHelper.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkIntersections.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkIntersections.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkLineParameters.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpAngle.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpAngle.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpCubicHull.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpEdgeBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpEdgeBuilder.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpSegment.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpSegment.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpSpan.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsBounds.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCommon.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCommon.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCubic.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCubic.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCurve.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsLine.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsLine.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsOp.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsPoint.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsQuad.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsQuad.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsRect.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsRect.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsSimplify.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTypes.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTypes.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathWriter.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathWriter.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkReduceOrder.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkReduceOrder.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkIBMFamilyClass.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTableTypes.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V0.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V1.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V2.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V3.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_V4.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_OS_2_VA.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_glyf.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_head.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_hhea.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_loca.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_maxp.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_maxp_CFF.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_maxp_TT.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_name.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_post.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTUtils.cpp
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTUtils.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkPanose.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkSFNTHeader.h
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkConicalGradient.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkConicalGradient.h
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkGradientBaseShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkLinearGradient.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkLinearGradient.h
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkRadialGradient.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkSweepGradient.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkFloatUtils.h
FILE: ../../../flutter/third_party/skia/src/utils/SkNullCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWriteFontFileStream.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWriteFontFileStream.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWriteGeometrySink.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWriteGeometrySink.h
----------------------------------------------------------------------------------------------------
Copyright 2012 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBezierCurves.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/base/SkBezierCurves.cpp
----------------------------------------------------------------------------------------------------
Copyright 2012 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkColorFilterImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkLightingImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMagnifierImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMatrixConvolutionImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMergeImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMorphologyImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkImageEncoderFns.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkColorFilterImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkLightingImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMagnifierImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMatrixConvolutionImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMergeImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMorphologyImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkImageEncoderFns.h
----------------------------------------------------------------------------------------------------
Copyright 2012 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/client_utils/android/FrontBufferedStream.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/client_utils/android/FrontBufferedStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/dm/DM.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/alphagradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/arcofzorro.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/beziereffects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bigblurs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bigtext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmappremul.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmaprecttest.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmapshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bleed.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurquickreject.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurroundrect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/circularclips.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clippedbitmapshaders.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/coloremoji.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/conicpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/copy_to_4444.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/displacement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dropshadowimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dstreadshuffle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontcache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontmgr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradient_dirty_laundry.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradient_matrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradients_no_texture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hairlines.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagesource.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/internal_links.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/inversepaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lumafilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mixedtextblobs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/nested.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/nonclosedpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/offsetimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/ovals.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathopsinverse.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/perlinnoise.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pictureimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/polygons.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/resizeimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/roundrects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/shallowgradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug1719.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/spritebitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/stringart.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/thinrects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/thinstrokedrects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tileimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/vertices.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/xfermodeimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/xfermodes2.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/xfermodes3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkDataTable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkDocument.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFontMgr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFontStyle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkImageGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkImageInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkLumaColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkPerlinNoiseShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLExtensions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontConfigInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkJpegMetadataDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkOnce.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTFitsIn.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTLogic.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/SkDiscardableMemory.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkCanvasStateUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapDevice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapDevice.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDataTable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDocument.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawLooper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMatrixUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMessageBus.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPaintPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPaintPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathRef.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkResourceCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkResourceCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStreamPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStringUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStringUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTDynamicHash.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTMultiMap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkValidationUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkComposeImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkDisplacementMapImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkDropShadowImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/Blend.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/RectanizerSkyline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGeometryProcessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPaint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBezierEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBezierEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBicubicEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBitmapTextGeoProc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBitmapTextGeoProc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDistanceFieldGeoProc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDistanceFieldGeoProc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLExtensions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLVertexArray.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLVertexArray.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOvalOpFactory.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOvalOpFactory.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/lazy/SkDiscardableMemoryPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/lazy/SkDiscardableMemoryPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpCoincidence.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpContour.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpContour.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsDebug.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsDebug.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFResourceDict.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFResourceDict.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkDiscardableMemory_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontConfigTypeface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_FontConfigInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSFile_posix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSFile_win.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_name.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkTTCFHeader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkColorFilterShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkPerlinNoiseShaderImpl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkPerlinNoiseShaderImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkPerlinNoiseShaderType.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCanvasStack.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCanvasStack.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCanvasStateUtils.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/client_utils/android/FrontBufferedStream.cpp
FILE: ../../../flutter/third_party/skia/client_utils/android/FrontBufferedStream.h
FILE: ../../../flutter/third_party/skia/dm/DM.cpp
FILE: ../../../flutter/third_party/skia/gm/alphagradients.cpp
FILE: ../../../flutter/third_party/skia/gm/arcofzorro.cpp
FILE: ../../../flutter/third_party/skia/gm/beziereffects.cpp
FILE: ../../../flutter/third_party/skia/gm/bigblurs.cpp
FILE: ../../../flutter/third_party/skia/gm/bigtext.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmappremul.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmaprecttest.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmapshader.cpp
FILE: ../../../flutter/third_party/skia/gm/bleed.cpp
FILE: ../../../flutter/third_party/skia/gm/blurquickreject.cpp
FILE: ../../../flutter/third_party/skia/gm/blurroundrect.cpp
FILE: ../../../flutter/third_party/skia/gm/circularclips.cpp
FILE: ../../../flutter/third_party/skia/gm/clippedbitmapshaders.cpp
FILE: ../../../flutter/third_party/skia/gm/coloremoji.cpp
FILE: ../../../flutter/third_party/skia/gm/conicpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/copy_to_4444.cpp
FILE: ../../../flutter/third_party/skia/gm/displacement.cpp
FILE: ../../../flutter/third_party/skia/gm/dropshadowimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/dstreadshuffle.cpp
FILE: ../../../flutter/third_party/skia/gm/fontcache.cpp
FILE: ../../../flutter/third_party/skia/gm/fontmgr.cpp
FILE: ../../../flutter/third_party/skia/gm/gradient_dirty_laundry.cpp
FILE: ../../../flutter/third_party/skia/gm/gradient_matrix.cpp
FILE: ../../../flutter/third_party/skia/gm/gradients_no_texture.cpp
FILE: ../../../flutter/third_party/skia/gm/hairlines.cpp
FILE: ../../../flutter/third_party/skia/gm/imagesource.cpp
FILE: ../../../flutter/third_party/skia/gm/internal_links.cpp
FILE: ../../../flutter/third_party/skia/gm/inversepaths.cpp
FILE: ../../../flutter/third_party/skia/gm/lumafilter.cpp
FILE: ../../../flutter/third_party/skia/gm/mixedtextblobs.cpp
FILE: ../../../flutter/third_party/skia/gm/nested.cpp
FILE: ../../../flutter/third_party/skia/gm/nonclosedpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/offsetimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/ovals.cpp
FILE: ../../../flutter/third_party/skia/gm/pathopsinverse.cpp
FILE: ../../../flutter/third_party/skia/gm/perlinnoise.cpp
FILE: ../../../flutter/third_party/skia/gm/pictureimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/polygons.cpp
FILE: ../../../flutter/third_party/skia/gm/resizeimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/roundrects.cpp
FILE: ../../../flutter/third_party/skia/gm/shallowgradient.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug1719.cpp
FILE: ../../../flutter/third_party/skia/gm/spritebitmap.cpp
FILE: ../../../flutter/third_party/skia/gm/stringart.cpp
FILE: ../../../flutter/third_party/skia/gm/thinrects.cpp
FILE: ../../../flutter/third_party/skia/gm/thinstrokedrects.cpp
FILE: ../../../flutter/third_party/skia/gm/tileimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/vertices.cpp
FILE: ../../../flutter/third_party/skia/gm/xfermodeimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/xfermodes2.cpp
FILE: ../../../flutter/third_party/skia/gm/xfermodes3.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkDataTable.h
FILE: ../../../flutter/third_party/skia/include/core/SkDocument.h
FILE: ../../../flutter/third_party/skia/include/core/SkFontMgr.h
FILE: ../../../flutter/third_party/skia/include/core/SkFontStyle.h
FILE: ../../../flutter/third_party/skia/include/core/SkImageGenerator.h
FILE: ../../../flutter/third_party/skia/include/core/SkImageInfo.h
FILE: ../../../flutter/third_party/skia/include/effects/SkLumaColorFilter.h
FILE: ../../../flutter/third_party/skia/include/effects/SkPerlinNoiseShader.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLExtensions.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontConfigInterface.h
FILE: ../../../flutter/third_party/skia/include/private/SkJpegMetadataDecoder.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkOnce.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTFitsIn.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTLogic.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/SkDiscardableMemory.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrTypesPriv.h
FILE: ../../../flutter/third_party/skia/include/utils/SkCanvasStateUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapDevice.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapDevice.h
FILE: ../../../flutter/third_party/skia/src/core/SkDataTable.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDocument.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDrawLooper.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFontStream.h
FILE: ../../../flutter/third_party/skia/src/core/SkMatrixUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkMessageBus.h
FILE: ../../../flutter/third_party/skia/src/core/SkMipmap.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMipmap.h
FILE: ../../../flutter/third_party/skia/src/core/SkPaintPriv.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPaintPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkPathRef.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkResourceCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkResourceCache.h
FILE: ../../../flutter/third_party/skia/src/core/SkStreamPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkStringUtils.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkStringUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkTDynamicHash.h
FILE: ../../../flutter/third_party/skia/src/core/SkTMultiMap.h
FILE: ../../../flutter/third_party/skia/src/core/SkValidationUtils.h
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkComposeImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkDisplacementMapImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkDropShadowImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/Blend.h
FILE: ../../../flutter/third_party/skia/src/gpu/RectanizerSkyline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGeometryProcessor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPaint.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBezierEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBezierEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBicubicEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBitmapTextGeoProc.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBitmapTextGeoProc.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDistanceFieldGeoProc.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDistanceFieldGeoProc.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLExtensions.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLVertexArray.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLVertexArray.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOvalOpFactory.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOvalOpFactory.h
FILE: ../../../flutter/third_party/skia/src/lazy/SkDiscardableMemoryPool.cpp
FILE: ../../../flutter/third_party/skia/src/lazy/SkDiscardableMemoryPool.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpCoincidence.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpContour.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpContour.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsDebug.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsDebug.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFResourceDict.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFResourceDict.h
FILE: ../../../flutter/third_party/skia/src/ports/SkDiscardableMemory_none.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontConfigTypeface.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_FontConfigInterface.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkOSFile_posix.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkOSFile_win.cpp
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_name.cpp
FILE: ../../../flutter/third_party/skia/src/sfnt/SkTTCFHeader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkColorFilterShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkPerlinNoiseShaderImpl.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkPerlinNoiseShaderImpl.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkPerlinNoiseShaderType.h
FILE: ../../../flutter/third_party/skia/src/utils/SkCanvasStack.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkCanvasStack.h
FILE: ../../../flutter/third_party/skia/src/utils/SkCanvasStateUtils.cpp
----------------------------------------------------------------------------------------------------
Copyright 2013 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkBlendImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkPictureImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkBlendImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkPictureImageFilter.cpp
----------------------------------------------------------------------------------------------------
Copyright 2013 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/dm/DMJsonWriter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/dm/DMJsonWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/aaa.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/beziers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurcircles.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clipdrawdraw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/coloremoji_blendmodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colorfilters.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colorwheel.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/complexclip3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/convexpolyclip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/convexpolyeffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/discard.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drrect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/emboss.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/filterfastbounds.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/glyph_pos.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradients_2pt_conical.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/grayscalejpg.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imageblurtiled.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefiltersclipped.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefilterscropexpand.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefiltersscaled.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imageresizetiled.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/matriximagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/patch.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/picture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pictureshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pictureshadertile.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/recordopts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/smallarc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/stroketext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/surface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tallstretchedbitmaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/texelsubset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblob.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tiledscaledbitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/variedtext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/yuvtorgbsubset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkBBHFactory.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkBlurTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkDrawable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFont.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPictureRecorder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSurfaceProps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTextBlob.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLAssembleInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_indirect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkRemotableFontMgr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkHalf.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkHalf.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBBHFactory.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCachedData.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCachedData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCanvasPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkConvertPixels.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDistanceFieldGen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDistanceFieldGen.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFont.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFont_serial.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPicturePlayback.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPicturePlayback.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPictureRecorder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkReadPixelsRec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecord.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordDraw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordDraw.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordOpts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordOpts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecorder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecorder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecords.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSurfacePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTaskGroup.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTaskGroup.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTextBlob.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkVertState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkVertState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/fonts/SkFontMgr_indirect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/fonts/SkRemotableFontMgr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/RectanizerPow2.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/RectanizerSkyline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ResourceKey.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDefaultGeoProcFactory.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDefaultGeoProcFactory.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGeometryProcessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResource.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResourceCacheAccess.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorAnalysis.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorAnalysis.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramDesc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTracing.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrXferProcessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBicubicEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrConvexPolyEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrConvexPolyEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCoverageSetOpXP.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCoverageSetOpXP.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDisableColorXP.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDisableColorXP.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrOvalEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrOvalEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPorterDuffXferProcessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPorterDuffXferProcessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrRRectEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrRRectEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTextureRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/android/GrGLMakeNativeInterface_android.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLProgramBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLProgramBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLShaderStringBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLShaderStringBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/egl/GrGLMakeEGLInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/glx/GrGLMakeGLXInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/iOS/GrGLMakeNativeInterface_iOS.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLFragmentShaderBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLFragmentShaderBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLShaderBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLShaderBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_Ganesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpSpan.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTSect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTSect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTightBounds.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_android.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fontconfig.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_win_dw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkRemotableFontMgr_win_dw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkScalerContext_win_dw.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_win_dw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_win_dw.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_EBDT.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_EBLC.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_EBSC.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_gasp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkLocalMatrixShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkLocalMatrixShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkPictureShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkPictureShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkDashPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkDashPathPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkEventTracer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkMatrix22.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkMatrix22.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkPatchUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkPatchUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWrite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWrite.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/dm/DMJsonWriter.cpp
FILE: ../../../flutter/third_party/skia/dm/DMJsonWriter.h
FILE: ../../../flutter/third_party/skia/gm/aaa.cpp
FILE: ../../../flutter/third_party/skia/gm/beziers.cpp
FILE: ../../../flutter/third_party/skia/gm/blurcircles.cpp
FILE: ../../../flutter/third_party/skia/gm/clipdrawdraw.cpp
FILE: ../../../flutter/third_party/skia/gm/coloremoji_blendmodes.cpp
FILE: ../../../flutter/third_party/skia/gm/colorfilters.cpp
FILE: ../../../flutter/third_party/skia/gm/colorwheel.cpp
FILE: ../../../flutter/third_party/skia/gm/complexclip3.cpp
FILE: ../../../flutter/third_party/skia/gm/convexpolyclip.cpp
FILE: ../../../flutter/third_party/skia/gm/convexpolyeffect.cpp
FILE: ../../../flutter/third_party/skia/gm/discard.cpp
FILE: ../../../flutter/third_party/skia/gm/drrect.cpp
FILE: ../../../flutter/third_party/skia/gm/emboss.cpp
FILE: ../../../flutter/third_party/skia/gm/filterfastbounds.cpp
FILE: ../../../flutter/third_party/skia/gm/glyph_pos.cpp
FILE: ../../../flutter/third_party/skia/gm/gradients_2pt_conical.cpp
FILE: ../../../flutter/third_party/skia/gm/grayscalejpg.cpp
FILE: ../../../flutter/third_party/skia/gm/imageblurtiled.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefiltersclipped.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefilterscropexpand.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefiltersscaled.cpp
FILE: ../../../flutter/third_party/skia/gm/imageresizetiled.cpp
FILE: ../../../flutter/third_party/skia/gm/matriximagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/patch.cpp
FILE: ../../../flutter/third_party/skia/gm/picture.cpp
FILE: ../../../flutter/third_party/skia/gm/pictureshader.cpp
FILE: ../../../flutter/third_party/skia/gm/pictureshadertile.cpp
FILE: ../../../flutter/third_party/skia/gm/recordopts.cpp
FILE: ../../../flutter/third_party/skia/gm/smallarc.cpp
FILE: ../../../flutter/third_party/skia/gm/stroketext.cpp
FILE: ../../../flutter/third_party/skia/gm/surface.cpp
FILE: ../../../flutter/third_party/skia/gm/tallstretchedbitmaps.cpp
FILE: ../../../flutter/third_party/skia/gm/texelsubset.cpp
FILE: ../../../flutter/third_party/skia/gm/textblob.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobshader.cpp
FILE: ../../../flutter/third_party/skia/gm/tiledscaledbitmap.cpp
FILE: ../../../flutter/third_party/skia/gm/variedtext.cpp
FILE: ../../../flutter/third_party/skia/gm/yuvtorgbsubset.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkBBHFactory.h
FILE: ../../../flutter/third_party/skia/include/core/SkBlurTypes.h
FILE: ../../../flutter/third_party/skia/include/core/SkDrawable.h
FILE: ../../../flutter/third_party/skia/include/core/SkFont.h
FILE: ../../../flutter/third_party/skia/include/core/SkPictureRecorder.h
FILE: ../../../flutter/third_party/skia/include/core/SkSurfaceProps.h
FILE: ../../../flutter/third_party/skia/include/core/SkTextBlob.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLAssembleInterface.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_indirect.h
FILE: ../../../flutter/third_party/skia/include/ports/SkRemotableFontMgr.h
FILE: ../../../flutter/third_party/skia/src/base/SkHalf.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkHalf.h
FILE: ../../../flutter/third_party/skia/src/core/SkBBHFactory.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapCache.h
FILE: ../../../flutter/third_party/skia/src/core/SkCachedData.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCachedData.h
FILE: ../../../flutter/third_party/skia/src/core/SkCanvasPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkConvertPixels.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDistanceFieldGen.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDistanceFieldGen.h
FILE: ../../../flutter/third_party/skia/src/core/SkDrawable.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFont.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFont_serial.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkImageGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMaskCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMaskCache.h
FILE: ../../../flutter/third_party/skia/src/core/SkPicturePlayback.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPicturePlayback.h
FILE: ../../../flutter/third_party/skia/src/core/SkPictureRecorder.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkReadPixelsRec.h
FILE: ../../../flutter/third_party/skia/src/core/SkRecord.h
FILE: ../../../flutter/third_party/skia/src/core/SkRecordDraw.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecordDraw.h
FILE: ../../../flutter/third_party/skia/src/core/SkRecordOpts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecordOpts.h
FILE: ../../../flutter/third_party/skia/src/core/SkRecorder.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecorder.h
FILE: ../../../flutter/third_party/skia/src/core/SkRecords.h
FILE: ../../../flutter/third_party/skia/src/core/SkSurfacePriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkTaskGroup.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTaskGroup.h
FILE: ../../../flutter/third_party/skia/src/core/SkTextBlob.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkVertState.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkVertState.h
FILE: ../../../flutter/third_party/skia/src/fonts/SkFontMgr_indirect.cpp
FILE: ../../../flutter/third_party/skia/src/fonts/SkRemotableFontMgr.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/RectanizerPow2.h
FILE: ../../../flutter/third_party/skia/src/gpu/RectanizerSkyline.h
FILE: ../../../flutter/third_party/skia/src/gpu/ResourceKey.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDefaultGeoProcFactory.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDefaultGeoProcFactory.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGeometryProcessor.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResource.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResourceCacheAccess.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorAnalysis.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorAnalysis.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramDesc.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTracing.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrXferProcessor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBicubicEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrConvexPolyEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrConvexPolyEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCoverageSetOpXP.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCoverageSetOpXP.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDisableColorXP.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrDisableColorXP.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrOvalEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrOvalEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPorterDuffXferProcessor.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPorterDuffXferProcessor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrRRectEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrRRectEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleInterface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTextureRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/android/GrGLMakeNativeInterface_android.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLProgramBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLProgramBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLShaderStringBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/builders/GrGLShaderStringBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/egl/GrGLMakeEGLInterface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/glx/GrGLMakeGLXInterface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/iOS/GrGLMakeNativeInterface_iOS.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLFragmentShaderBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLFragmentShaderBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLShaderBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLShaderBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_Ganesh.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpSpan.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTSect.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTSect.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTightBounds.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_android.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fontconfig.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_win_dw.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkRemotableFontMgr_win_dw.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkScalerContext_win_dw.h
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_win_dw.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_win_dw.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_EBDT.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_EBLC.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_EBSC.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_gasp.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkLocalMatrixShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkLocalMatrixShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkPictureShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkPictureShader.h
FILE: ../../../flutter/third_party/skia/src/utils/SkDashPath.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkDashPathPriv.h
FILE: ../../../flutter/third_party/skia/src/utils/SkEventTracer.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkMatrix22.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkMatrix22.h
FILE: ../../../flutter/third_party/skia/src/utils/SkPatchUtils.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkPatchUtils.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWrite.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWrite.h
----------------------------------------------------------------------------------------------------
Copyright 2014 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathRenderer.cpp
----------------------------------------------------------------------------------------------------
Copyright 2014 Google Inc.
Copyright 2017 ARM Ltd.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMatrixTransformImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkMatrixTransformImageFilter.cpp
----------------------------------------------------------------------------------------------------
Copyright 2014 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/client_utils/android/BRDAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/client_utils/android/BitmapRegionDecoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/client_utils/android/BitmapRegionDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/client_utils/android/BitmapRegionDecoderPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/dm/DMSrcSink.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/dm/DMSrcSink.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/aaxfermodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/addarc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/all_bitmap_configs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/anisotropic.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/annotated_text.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/badpaint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bigrrectaaeffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bigtileimagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blend.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurredclippedcircle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bmpfilterqualityrepeat.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/concavepaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/constcolorprocessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/convex_all_line_paths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/draw_bitmap_rect_skbug4374.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawatlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawatlascolor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawminibitmaprect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fadefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontscalerdistortable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/image_pict.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/image_shader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefilters.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefiltersstroked.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefilterstransformed.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefromyuvtextures.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagesource2.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/largeglyphblur.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lcdblendmodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lcdoverlap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/localmatriximagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/localmatriximageshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mipmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/path_stroke_with_zero_length.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathcontourstart.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pdf_never_embed.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/perspshaders.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pictureimagegenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/plus.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/repeated_bitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/scaledstrokes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_257.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/smallpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/stlouisarch.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobcolortrans.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobgeometrychange.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobmixedsizes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobrandomfont.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobtransforms.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobuseaftergpufree.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/transparency.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkAndroidCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkEncodedImageFormat.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkPngChunkReader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPathBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPixmap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPoint3.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkRSXform.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTraceMemoryDump.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrContextOptions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_android.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_directory.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_empty.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_fontconfig.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkMutex.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkThreadID.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/svg/SkSVGCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkPaintFilterCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSharedMutex.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSharedMutex.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSpinlock.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSpinlock.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTDPQueue.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkThreadID.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkAndroidCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkAndroidCodecAdapter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkAndroidCodecAdapter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpMaskCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpMaskCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpRLECodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpRLECodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpStandardCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpStandardCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkCodecImageGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkCodecImageGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkIcoCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkIcoCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegDecoderMgr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegDecoderMgr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegUtility.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegUtility.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkMaskSwizzler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkMaskSwizzler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkPixmapUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkPixmapUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkPngCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkPngCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkSampledCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkSampledCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkSampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkSampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkSwizzler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkSwizzler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkWbmpCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkWbmpCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkWebpCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkWebpCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/Sk4px.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBigPicture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBigPicture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontMgr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLatticeIter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLatticeIter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLocalMatrixImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMasks.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMasks.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmapAccessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmapAccessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkNextID.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkOpts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkOpts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPixmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPoint3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecord.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordPattern.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecords.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTHash.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVPlanesCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVPlanesCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkTableColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkTableColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkImageImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/Blend.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/Device_drawTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAutoLocaleSetter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBlurUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBlurUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpAtlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpAtlas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpTest.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpTest.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawingManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawingManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResourcePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrManagedResource.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrNonAtomicRef.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpFlushState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpFlushState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorUnitTest.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSamplerState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSimpleMesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTTopoSort.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTestUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTestUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrXferProcessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceDrawContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceDrawContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBlendFragmentProcessor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBlendFragmentProcessor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCustomXfermode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCustomXfermode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAAConvexTessellator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAAConvexTessellator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuad.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrTriangulator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrTriangulator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTextureRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUniformHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUniformHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLVaryingHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLBlend.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLBlend.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramDataManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLUniformHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVarying.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVarying.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_Ganesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AALinearizingConvexPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AALinearizingConvexPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasTextOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasTextOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ClearOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashLinePathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashLinePathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrDrawOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrMeshDrawOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrMeshDrawOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/LatticeOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/LatticeOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TriangulatingPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TriangulatingPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkGpu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkGpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTextureRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTextureRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUtil.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMemory.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMemory.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Lazy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkPictureImageGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkBlitMask_opts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkBlitRow_opts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkDConicLineIntersection.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkDCubicToQuads.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkOpCoincidence.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsConic.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsConic.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCurve.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsWinding.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkDocument_PDF_None.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkJpegInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkJpegInfo_libjpegturbo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkJpegInfo_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFBitmap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFBitmap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFMetadata.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFMetadata.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSLibrary.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSLibrary_posix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSLibrary_win.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkImageShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkImageShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/svg/SkSVGCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/svg/SkSVGDevice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/svg/SkSVGDevice.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/DistanceFieldAdjustTable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/DistanceFieldAdjustTable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/StrikeCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/StrikeCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/TextBlob.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/TextBlob.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/TextBlobRedrawCoordinator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/TextBlobRedrawCoordinator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkPaintFilterCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/xps/SkXPSDocument.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/client_utils/android/BRDAllocator.h
FILE: ../../../flutter/third_party/skia/client_utils/android/BitmapRegionDecoder.cpp
FILE: ../../../flutter/third_party/skia/client_utils/android/BitmapRegionDecoder.h
FILE: ../../../flutter/third_party/skia/client_utils/android/BitmapRegionDecoderPriv.h
FILE: ../../../flutter/third_party/skia/dm/DMSrcSink.cpp
FILE: ../../../flutter/third_party/skia/dm/DMSrcSink.h
FILE: ../../../flutter/third_party/skia/gm/aaxfermodes.cpp
FILE: ../../../flutter/third_party/skia/gm/addarc.cpp
FILE: ../../../flutter/third_party/skia/gm/all_bitmap_configs.cpp
FILE: ../../../flutter/third_party/skia/gm/anisotropic.cpp
FILE: ../../../flutter/third_party/skia/gm/annotated_text.cpp
FILE: ../../../flutter/third_party/skia/gm/badpaint.cpp
FILE: ../../../flutter/third_party/skia/gm/bigrrectaaeffect.cpp
FILE: ../../../flutter/third_party/skia/gm/bigtileimagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/blend.cpp
FILE: ../../../flutter/third_party/skia/gm/blurredclippedcircle.cpp
FILE: ../../../flutter/third_party/skia/gm/bmpfilterqualityrepeat.cpp
FILE: ../../../flutter/third_party/skia/gm/concavepaths.cpp
FILE: ../../../flutter/third_party/skia/gm/constcolorprocessor.cpp
FILE: ../../../flutter/third_party/skia/gm/convex_all_line_paths.cpp
FILE: ../../../flutter/third_party/skia/gm/draw_bitmap_rect_skbug4374.cpp
FILE: ../../../flutter/third_party/skia/gm/drawable.cpp
FILE: ../../../flutter/third_party/skia/gm/drawatlas.cpp
FILE: ../../../flutter/third_party/skia/gm/drawatlascolor.cpp
FILE: ../../../flutter/third_party/skia/gm/drawminibitmaprect.cpp
FILE: ../../../flutter/third_party/skia/gm/fadefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/fontscalerdistortable.cpp
FILE: ../../../flutter/third_party/skia/gm/image_pict.cpp
FILE: ../../../flutter/third_party/skia/gm/image_shader.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefilters.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefiltersstroked.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefilterstransformed.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefromyuvtextures.cpp
FILE: ../../../flutter/third_party/skia/gm/imagesource2.cpp
FILE: ../../../flutter/third_party/skia/gm/largeglyphblur.cpp
FILE: ../../../flutter/third_party/skia/gm/lcdblendmodes.cpp
FILE: ../../../flutter/third_party/skia/gm/lcdoverlap.cpp
FILE: ../../../flutter/third_party/skia/gm/localmatriximagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/localmatriximageshader.cpp
FILE: ../../../flutter/third_party/skia/gm/mipmap.cpp
FILE: ../../../flutter/third_party/skia/gm/path_stroke_with_zero_length.cpp
FILE: ../../../flutter/third_party/skia/gm/pathcontourstart.cpp
FILE: ../../../flutter/third_party/skia/gm/pdf_never_embed.cpp
FILE: ../../../flutter/third_party/skia/gm/perspshaders.cpp
FILE: ../../../flutter/third_party/skia/gm/pictureimagegenerator.cpp
FILE: ../../../flutter/third_party/skia/gm/plus.cpp
FILE: ../../../flutter/third_party/skia/gm/repeated_bitmap.cpp
FILE: ../../../flutter/third_party/skia/gm/scaledstrokes.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_257.cpp
FILE: ../../../flutter/third_party/skia/gm/smallpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/stlouisarch.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobcolortrans.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobgeometrychange.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobmixedsizes.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobrandomfont.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobtransforms.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobuseaftergpufree.cpp
FILE: ../../../flutter/third_party/skia/gm/transparency.cpp
FILE: ../../../flutter/third_party/skia/include/codec/SkAndroidCodec.h
FILE: ../../../flutter/third_party/skia/include/codec/SkCodec.h
FILE: ../../../flutter/third_party/skia/include/codec/SkEncodedImageFormat.h
FILE: ../../../flutter/third_party/skia/include/codec/SkPngChunkReader.h
FILE: ../../../flutter/third_party/skia/include/core/SkPathBuilder.h
FILE: ../../../flutter/third_party/skia/include/core/SkPixmap.h
FILE: ../../../flutter/third_party/skia/include/core/SkPoint3.h
FILE: ../../../flutter/third_party/skia/include/core/SkRSXform.h
FILE: ../../../flutter/third_party/skia/include/core/SkTraceMemoryDump.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrContextOptions.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLTypes.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_android.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_directory.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_empty.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_fontconfig.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkMutex.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkSemaphore.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkThreadID.h
FILE: ../../../flutter/third_party/skia/include/svg/SkSVGCanvas.h
FILE: ../../../flutter/third_party/skia/include/utils/SkPaintFilterCanvas.h
FILE: ../../../flutter/third_party/skia/src/base/SkSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkSharedMutex.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkSharedMutex.h
FILE: ../../../flutter/third_party/skia/src/base/SkSpinlock.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkSpinlock.h
FILE: ../../../flutter/third_party/skia/src/base/SkTDPQueue.h
FILE: ../../../flutter/third_party/skia/src/base/SkThreadID.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkAndroidCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkAndroidCodecAdapter.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkAndroidCodecAdapter.h
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpMaskCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpMaskCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpRLECodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpRLECodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpStandardCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpStandardCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkCodecImageGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkCodecImageGenerator.h
FILE: ../../../flutter/third_party/skia/src/codec/SkIcoCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkIcoCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegDecoderMgr.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegDecoderMgr.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegUtility.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegUtility.h
FILE: ../../../flutter/third_party/skia/src/codec/SkMaskSwizzler.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkMaskSwizzler.h
FILE: ../../../flutter/third_party/skia/src/codec/SkPixmapUtils.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkPixmapUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/codec/SkPngCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkPngCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkSampledCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkSampledCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkSampler.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkSampler.h
FILE: ../../../flutter/third_party/skia/src/codec/SkSwizzler.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkSwizzler.h
FILE: ../../../flutter/third_party/skia/src/codec/SkWbmpCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkWbmpCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkWebpCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkWebpCodec.h
FILE: ../../../flutter/third_party/skia/src/core/Sk4px.h
FILE: ../../../flutter/third_party/skia/src/core/SkBigPicture.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBigPicture.h
FILE: ../../../flutter/third_party/skia/src/core/SkFontMgr.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkLatticeIter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkLatticeIter.h
FILE: ../../../flutter/third_party/skia/src/core/SkLocalMatrixImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMasks.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMasks.h
FILE: ../../../flutter/third_party/skia/src/core/SkMipmapAccessor.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMipmapAccessor.h
FILE: ../../../flutter/third_party/skia/src/core/SkNextID.h
FILE: ../../../flutter/third_party/skia/src/core/SkOpts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkOpts.h
FILE: ../../../flutter/third_party/skia/src/core/SkPathBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPathPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkPixmap.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPoint3.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecord.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecordPattern.h
FILE: ../../../flutter/third_party/skia/src/core/SkRecords.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTHash.h
FILE: ../../../flutter/third_party/skia/src/core/SkYUVPlanesCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkYUVPlanesCache.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkTableColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkTableColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkImageImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/Blend.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/Device_drawTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAutoLocaleSetter.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBlurUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBlurUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpAtlas.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpAtlas.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpTest.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawOpTest.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawingManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawingManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessor.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuResourcePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrManagedResource.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrNonAtomicRef.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpFlushState.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpFlushState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorUnitTest.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSamplerState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSimpleMesh.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTTopoSort.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTestUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTestUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrXferProcessor.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceDrawContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceDrawContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBlendFragmentProcessor.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrBlendFragmentProcessor.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCustomXfermode.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrCustomXfermode.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAAConvexTessellator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAAConvexTessellator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuad.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrTriangulator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrTriangulator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTextureRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUniformHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLUniformHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLVaryingHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLBlend.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLBlend.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramDataManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLUniformHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVarying.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVarying.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_Ganesh.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AALinearizingConvexPathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AALinearizingConvexPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasTextOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasTextOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ClearOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashLinePathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DashLinePathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrDrawOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrMeshDrawOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrMeshDrawOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/LatticeOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/LatticeOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TriangulatingPathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TriangulatingPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkGpu.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkGpu.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImage.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImage.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTextureRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTextureRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUtil.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUtil.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanInterface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanInterface.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMemory.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMemory.h
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Lazy.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkPictureImageGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/opts/SkBlitMask_opts.h
FILE: ../../../flutter/third_party/skia/src/opts/SkBlitRow_opts.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkDConicLineIntersection.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkDCubicToQuads.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkOpCoincidence.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsConic.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsConic.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsCurve.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsWinding.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkDocument_PDF_None.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkJpegInfo.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkJpegInfo_libjpegturbo.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkJpegInfo_none.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFBitmap.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFBitmap.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFMetadata.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFMetadata.h
FILE: ../../../flutter/third_party/skia/src/ports/SkOSLibrary.h
FILE: ../../../flutter/third_party/skia/src/ports/SkOSLibrary_posix.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkOSLibrary_win.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkImageShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkImageShader.h
FILE: ../../../flutter/third_party/skia/src/svg/SkSVGCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/svg/SkSVGDevice.cpp
FILE: ../../../flutter/third_party/skia/src/svg/SkSVGDevice.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/DistanceFieldAdjustTable.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/DistanceFieldAdjustTable.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/StrikeCache.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/StrikeCache.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/TextBlob.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/TextBlob.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/TextBlobRedrawCoordinator.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/TextBlobRedrawCoordinator.h
FILE: ../../../flutter/third_party/skia/src/utils/SkPaintFilterCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/xps/SkXPSDocument.cpp
----------------------------------------------------------------------------------------------------
Copyright 2015 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkCodecPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLocalMatrixImageFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkImageGenerator_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkImageGenerator_skia.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/codec/SkCodecPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkLocalMatrixImageFilter.h
FILE: ../../../flutter/third_party/skia/src/ports/SkImageGenerator_none.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkImageGenerator_skia.cpp
----------------------------------------------------------------------------------------------------
Copyright 2015 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTraceEventCommon.h + ../../../LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkTraceEventCommon.h
----------------------------------------------------------------------------------------------------
Copyright 2015 The Chromium Authors. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above
copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the
distribution.
* Neither the name of Google Inc. nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/Fuzz.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/Fuzz.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzGradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzMain.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzParsePath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzPathop.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/animated_gif.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/animatedimageblurs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/arcto.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bigrect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmapimage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurcircles2.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bug5252.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bug530095.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bug615686.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/circulararcs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clip_error.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colorfilteralpha8.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/complexclip4.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/complexclip_blur_tiled.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/croppedrects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dashcircle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawregion.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawregionmodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/encode_platform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/encode_srgb.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/filterbug.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hardstop_gradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagemakewithfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagemasksubset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lattice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/overdrawcolorfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/overstroke.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathmaskcache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/readpixels.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rectangletexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rrectclipdrawpaint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/shapes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/showmiplevels.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/simplerect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_4868.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_5321.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/stroke_rect_shader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/strokedlines.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/subsetshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/textblobblockreordering.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/windowrectangles.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkCodecAnimation.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkBlendMode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkClipOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkColorSpace.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkMilestone.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkOverdrawCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkRasterHandleAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSwizzle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkOverdrawColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/encode/SkICC.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/GrVkBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/GrVkExtensions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/GrVkTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_FontConfigInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkImageGeneratorCG.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkImageGeneratorWIC.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkEncodedInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SingleOwner.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkNoDrawCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/slides/SVGPongSlide.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_harfbuzz.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_primitive.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGAttribute.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGAttributeParser.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGCircle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGClipPath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGContainer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGDOM.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGDefs.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGEllipse.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGG.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGHiddenContainer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGIDMapper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGLine.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGLinearGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGPath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGPoly.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGRenderContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGSVG.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGShape.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGStop.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGTransformableNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGValue.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGAttribute.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGAttributeParser.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGCircle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGClipPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGContainer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGDOM.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGEllipse.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGLine.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGLinearGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGPoly.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGRect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGRenderContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGSVG.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGShape.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGStop.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGTransformableNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGValue.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkArenaAlloc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkArenaAlloc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkAutoMalloc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBitmaskEnum.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkLeanWindows.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkMSAN.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkScopeExit.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkRawCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkRawCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkATrace.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkATrace.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAnnotationKeys.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAutoPixmapStorage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAutoPixmapStorage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlendModePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorSpace.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorSpacePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCpu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGlobalInitialization_core.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageFilterCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageFilterCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkLRUCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMatrixPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkOverdrawCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathMeasurePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterPipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterPipelineBlitter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordedDrawable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRecordedDrawable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScaleToSides.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSpecialImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSpecialImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSwizzle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSwizzlePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkShaderImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkICC.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkICCPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkImageEncoderPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/Swizzle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAppliedClip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAuditTrail.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAuditTrail.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorSpaceXform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorSpaceXform.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDirectContextPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFixedClip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpsRenderPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpsRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramDesc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTargetProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTargetProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceHandle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrScissorState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderVar.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderVar.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStencilSettings.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStyle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStyle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureRenderTargetProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureRenderTargetProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUserStencilSettings.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWindowRectangles.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWindowRectsState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateDataManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrShadowGeoProc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrShadowGeoProc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrStyledShape.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrStyledShape.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLOpsRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/glfw/GrGLMakeNativeInterface_glfw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLColorSpaceXformHelper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramDataManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrPathStencilSettings.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/RegionOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/RegionOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ShadowRRectOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ShadowRRectOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSet.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSet.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSetManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSetManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkFramebuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkFramebuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImageView.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImageView.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkOpsRenderPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkOpsRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateDataManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateDataManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUniformHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUniformHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkVaryingHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkVaryingHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanExtensions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkSwizzler_opts.inc + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkBitmapKey.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFDocumentPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeCIDGlyphWidthsArray.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeCIDGlyphWidthsArray.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeToUnicodeCmap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkImageGeneratorCG.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkImageGeneratorWIC.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkColorFilterShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkColorShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLCompiler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLCompiler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLMemoryLayout.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLProgramSettings.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLUtil.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLGLSLCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLGLSLCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLMetalCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLMetalCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBinaryExpression.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBlock.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBreakStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLContinueStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDiscardStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDoStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpression.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpressionStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExtension.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFieldAccess.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFieldSymbol.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLForStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionCall.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDeclaration.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDefinition.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionReference.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIRNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIfStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIndexExpression.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLInterfaceBlock.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLayout.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLiteral.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifierFlags.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifiersDeclaration.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLNop.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPostfixExpression.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPrefixExpression.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLProgram.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLProgramElement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLReturnStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSetting.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwizzle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbol.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbolTable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbolTable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTernaryExpression.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLType.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLType.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTypeReference.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVarDeclarations.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariableReference.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkMultiPictureDocument.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkMultiPictureDocument.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkMultiPictureDocumentPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkOSPath.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/Fuzz.cpp
FILE: ../../../flutter/third_party/skia/fuzz/Fuzz.h
FILE: ../../../flutter/third_party/skia/fuzz/FuzzGradients.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzMain.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzParsePath.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzPathop.cpp
FILE: ../../../flutter/third_party/skia/gm/animated_gif.cpp
FILE: ../../../flutter/third_party/skia/gm/animatedimageblurs.cpp
FILE: ../../../flutter/third_party/skia/gm/arcto.cpp
FILE: ../../../flutter/third_party/skia/gm/bigrect.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmapimage.cpp
FILE: ../../../flutter/third_party/skia/gm/blurcircles2.cpp
FILE: ../../../flutter/third_party/skia/gm/bug5252.cpp
FILE: ../../../flutter/third_party/skia/gm/bug530095.cpp
FILE: ../../../flutter/third_party/skia/gm/bug615686.cpp
FILE: ../../../flutter/third_party/skia/gm/circulararcs.cpp
FILE: ../../../flutter/third_party/skia/gm/clip_error.cpp
FILE: ../../../flutter/third_party/skia/gm/colorfilteralpha8.cpp
FILE: ../../../flutter/third_party/skia/gm/complexclip4.cpp
FILE: ../../../flutter/third_party/skia/gm/complexclip_blur_tiled.cpp
FILE: ../../../flutter/third_party/skia/gm/croppedrects.cpp
FILE: ../../../flutter/third_party/skia/gm/dashcircle.cpp
FILE: ../../../flutter/third_party/skia/gm/drawregion.cpp
FILE: ../../../flutter/third_party/skia/gm/drawregionmodes.cpp
FILE: ../../../flutter/third_party/skia/gm/encode_platform.cpp
FILE: ../../../flutter/third_party/skia/gm/encode_srgb.cpp
FILE: ../../../flutter/third_party/skia/gm/filterbug.cpp
FILE: ../../../flutter/third_party/skia/gm/hardstop_gradients.cpp
FILE: ../../../flutter/third_party/skia/gm/imagemakewithfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/imagemasksubset.cpp
FILE: ../../../flutter/third_party/skia/gm/lattice.cpp
FILE: ../../../flutter/third_party/skia/gm/overdrawcolorfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/overstroke.cpp
FILE: ../../../flutter/third_party/skia/gm/pathmaskcache.cpp
FILE: ../../../flutter/third_party/skia/gm/readpixels.cpp
FILE: ../../../flutter/third_party/skia/gm/rectangletexture.cpp
FILE: ../../../flutter/third_party/skia/gm/rrectclipdrawpaint.cpp
FILE: ../../../flutter/third_party/skia/gm/shapes.cpp
FILE: ../../../flutter/third_party/skia/gm/showmiplevels.cpp
FILE: ../../../flutter/third_party/skia/gm/simplerect.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_4868.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_5321.cpp
FILE: ../../../flutter/third_party/skia/gm/stroke_rect_shader.cpp
FILE: ../../../flutter/third_party/skia/gm/strokedlines.cpp
FILE: ../../../flutter/third_party/skia/gm/subsetshader.cpp
FILE: ../../../flutter/third_party/skia/gm/textblobblockreordering.cpp
FILE: ../../../flutter/third_party/skia/gm/windowrectangles.cpp
FILE: ../../../flutter/third_party/skia/include/codec/SkCodecAnimation.h
FILE: ../../../flutter/third_party/skia/include/core/SkBlendMode.h
FILE: ../../../flutter/third_party/skia/include/core/SkClipOp.h
FILE: ../../../flutter/third_party/skia/include/core/SkColorSpace.h
FILE: ../../../flutter/third_party/skia/include/core/SkMilestone.h
FILE: ../../../flutter/third_party/skia/include/core/SkOverdrawCanvas.h
FILE: ../../../flutter/third_party/skia/include/core/SkRasterHandleAllocator.h
FILE: ../../../flutter/third_party/skia/include/core/SkSwizzle.h
FILE: ../../../flutter/third_party/skia/include/effects/SkOverdrawColorFilter.h
FILE: ../../../flutter/third_party/skia/include/encode/SkICC.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/GrVkBackendContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/GrVkExtensions.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/GrVkTypes.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_FontConfigInterface.h
FILE: ../../../flutter/third_party/skia/include/ports/SkImageGeneratorCG.h
FILE: ../../../flutter/third_party/skia/include/ports/SkImageGeneratorWIC.h
FILE: ../../../flutter/third_party/skia/include/private/SkEncodedInfo.h
FILE: ../../../flutter/third_party/skia/include/private/base/SingleOwner.h
FILE: ../../../flutter/third_party/skia/include/utils/SkNoDrawCanvas.h
FILE: ../../../flutter/third_party/skia/modules/sksg/slides/SVGPongSlide.cpp
FILE: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper.h
FILE: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_harfbuzz.cpp
FILE: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_primitive.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGAttribute.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGAttributeParser.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGCircle.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGClipPath.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGContainer.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGDOM.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGDefs.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGEllipse.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGG.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGHiddenContainer.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGIDMapper.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGLine.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGLinearGradient.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGNode.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGPath.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGPoly.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGRect.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGRenderContext.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGSVG.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGShape.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGStop.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGTransformableNode.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGTypes.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGValue.h
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGAttribute.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGAttributeParser.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGCircle.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGClipPath.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGContainer.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGDOM.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGEllipse.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGLine.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGLinearGradient.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGNode.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGPath.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGPoly.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGRect.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGRenderContext.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGSVG.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGShape.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGStop.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGTransformableNode.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGValue.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkArenaAlloc.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkArenaAlloc.h
FILE: ../../../flutter/third_party/skia/src/base/SkAutoMalloc.h
FILE: ../../../flutter/third_party/skia/src/base/SkBitmaskEnum.h
FILE: ../../../flutter/third_party/skia/src/base/SkLeanWindows.h
FILE: ../../../flutter/third_party/skia/src/base/SkMSAN.h
FILE: ../../../flutter/third_party/skia/src/base/SkScopeExit.h
FILE: ../../../flutter/third_party/skia/src/codec/SkRawCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkRawCodec.h
FILE: ../../../flutter/third_party/skia/src/core/SkATrace.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkATrace.h
FILE: ../../../flutter/third_party/skia/src/core/SkAnnotationKeys.h
FILE: ../../../flutter/third_party/skia/src/core/SkAutoPixmapStorage.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkAutoPixmapStorage.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlendModePriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkColorSpace.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColorSpacePriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkCpu.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCpu.h
FILE: ../../../flutter/third_party/skia/src/core/SkGlobalInitialization_core.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkImageFilterCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkImageFilterCache.h
FILE: ../../../flutter/third_party/skia/src/core/SkLRUCache.h
FILE: ../../../flutter/third_party/skia/src/core/SkMatrixPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkOverdrawCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPathMeasurePriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkRasterPipeline.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRasterPipeline.h
FILE: ../../../flutter/third_party/skia/src/core/SkRasterPipelineBlitter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecordedDrawable.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRecordedDrawable.h
FILE: ../../../flutter/third_party/skia/src/core/SkScaleToSides.h
FILE: ../../../flutter/third_party/skia/src/core/SkSpecialImage.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSpecialImage.h
FILE: ../../../flutter/third_party/skia/src/core/SkSwizzle.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSwizzlePriv.h
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkShaderImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkICC.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkICCPriv.h
FILE: ../../../flutter/third_party/skia/src/encode/SkImageEncoderPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/Swizzle.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAppliedClip.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAuditTrail.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAuditTrail.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorSpaceXform.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorSpaceXform.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDirectContextPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFixedClip.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpsRenderPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpsRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramDesc.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTargetProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTargetProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceHandle.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrScissorState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderVar.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrShaderVar.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStencilSettings.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStyle.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStyle.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureRenderTargetProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureRenderTargetProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUserStencilSettings.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWindowRectangles.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWindowRectsState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateDataManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrShadowGeoProc.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrShadowGeoProc.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrStyledShape.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrStyledShape.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLOpsRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/glfw/GrGLMakeNativeInterface_glfw.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLColorSpaceXformHelper.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLProgramDataManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrPathStencilSettings.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/RegionOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/RegionOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ShadowRRectOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ShadowRRectOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorPool.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorPool.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSet.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSet.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSetManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDescriptorSetManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkFramebuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkFramebuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImageView.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImageView.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkOpsRenderPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkOpsRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineState.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateDataManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkPipelineStateDataManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSampler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSampler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUniformHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkUniformHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkVaryingHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkVaryingHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanExtensions.cpp
FILE: ../../../flutter/third_party/skia/src/opts/SkSwizzler_opts.inc
FILE: ../../../flutter/third_party/skia/src/pdf/SkBitmapKey.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFDocumentPriv.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeCIDGlyphWidthsArray.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeCIDGlyphWidthsArray.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFMakeToUnicodeCmap.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontConfigInterface.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkImageGeneratorCG.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkImageGeneratorWIC.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkColorFilterShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkColorShader.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLCompiler.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLCompiler.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLContext.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLMemoryLayout.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLProgramSettings.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLUtil.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLUtil.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLGLSLCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLGLSLCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLMetalCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLMetalCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBinaryExpression.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBlock.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBreakStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructor.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLContinueStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDiscardStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDoStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpression.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpressionStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExtension.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFieldAccess.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFieldSymbol.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLForStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionCall.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDeclaration.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDefinition.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionReference.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIRNode.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIfStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIndexExpression.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLInterfaceBlock.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLayout.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLiteral.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifierFlags.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifiersDeclaration.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLNop.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPostfixExpression.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPrefixExpression.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLProgram.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLProgramElement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLReturnStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSetting.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwizzle.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbol.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbolTable.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbolTable.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTernaryExpression.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLType.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLType.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTypeReference.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVarDeclarations.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariable.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariableReference.h
FILE: ../../../flutter/third_party/skia/src/utils/SkMultiPictureDocument.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkMultiPictureDocument.h
FILE: ../../../flutter/third_party/skia/src/utils/SkMultiPictureDocumentPriv.h
FILE: ../../../flutter/third_party/skia/src/utils/SkOSPath.h
----------------------------------------------------------------------------------------------------
Copyright 2016 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzDrawFunctions.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzDrawFunctions.cpp
----------------------------------------------------------------------------------------------------
Copyright 2016 Mozilla Foundation
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkScan_AAAPath.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkScan_AAAPath.cpp
----------------------------------------------------------------------------------------------------
Copyright 2016 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDistanceFieldGenFromVector.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDistanceFieldGenFromVector.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDistanceFieldGenFromVector.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDistanceFieldGenFromVector.h
----------------------------------------------------------------------------------------------------
Copyright 2017 ARM Ltd.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/dm/DMGpuTestProcs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/alpha_image.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bitmaptiled.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurignorexform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurimagevmask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurpositioning.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/blurtextsmallradii.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bug6643.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bug6783.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/circle_sizes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_691386.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_788500.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crosscontextimage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/dftext_blob_persp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drrect_small_inner.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/encode_alpha_jpeg.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/flippity.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/highcontrastfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hsl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imageblurclampmode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imageblurrepeatmode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/jpg_color_cube.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/makecolorspace.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/manypaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pictureshadercache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/radial_gradient_precision.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/savelayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/shadowutils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/srgb.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/testgradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/text_scale_skew.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/thinconcavepaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/SkAndroidFrameworkUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkEncodedOrigin.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkExecutor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFontArguments.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSerialProcs.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkVertices.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/docs/SkXPSDocument.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkHighContrastFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/encode/SkEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/encode/SkJpegEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/encode/SkPngEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/encode/SkWebpEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrBackendSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrBackendSurface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/mock/GrMockTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/mtl/GrMtlTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_mac_ct.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkMalloc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkShadowUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/gm/ExternalProperties.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/gm/SkottieGM.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/include/Skottie.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Skottie.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottieValue.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGDraw.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGEffectNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGeometryNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGroup.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGInvalidationController.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGMerge.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGPaint.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGPath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGRect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGRenderNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGTransform.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGDraw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGEffectNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGeometryNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGroup.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGInvalidationController.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGMerge.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGPaint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGRect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGRenderNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGTransform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGPattern.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGRadialGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGUse.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGPattern.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGRadialGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGUse.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/android/SkAndroidFrameworkUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkArenaAllocList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSafeMath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpBaseCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkBmpBaseCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkFrameHolder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkHeifCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkHeifCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkParseEncodedOrigin.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkPngPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkStubHeifDecoderAPI.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkAutoBlitterChoose.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlendMode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkClipStackDevice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkClipStackDevice.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawShadowInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawShadowInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDraw_vertices.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkExecutor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGaussFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGaussFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageInfoPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskBlurFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskBlurFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterClipStack.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkVertices.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkWritePixelsRec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkDashImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkHighContrastFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkJpegEncoderImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAHardwareBufferImageGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAHardwareBufferImageGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSurface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendTextureImageGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendTextureImageGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredProxyUploader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredUpload.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOnFlushResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOnFlushResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorSet.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorSet.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceAllocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxyPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxyCacheAccess.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxyPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SkGr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/StencilClip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrAtlasedShaderHelpers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrTextureEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrTextureEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLOpsRenderPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVertexGeoBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVertexGeoBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockAttachment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockGpu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockGpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockOpsRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCaps.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlGpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlGpu.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlRenderTarget.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTexture.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTrampoline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTrampoline.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUtil.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ClearOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TextureOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TextureOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkMemset_opts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkKeyedImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkKeyedImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGradientShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGradientShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom_directory.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom_embedded.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom_empty.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkOSFile_ios.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_fvar.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkShaderBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLFileOutputStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLLexer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLLexer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLOutputStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLString.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLString.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLStringStream.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLPipelineStageCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSetting.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchCase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchStatement.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/DFA.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/DFAState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/LexUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/Main.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/NFA.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/NFA.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/NFAState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/NFAtoDFA.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/RegexNode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/RegexNode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/RegexParser.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/RegexParser.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkFloatToDecimal.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkFloatToDecimal.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkJSONWriter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkJSONWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkPolyUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkPolyUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkShadowTessellator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkShadowTessellator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkShadowUtils.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/dm/DMGpuTestProcs.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzCanvas.cpp
FILE: ../../../flutter/third_party/skia/gm/alpha_image.cpp
FILE: ../../../flutter/third_party/skia/gm/bitmaptiled.cpp
FILE: ../../../flutter/third_party/skia/gm/blurignorexform.cpp
FILE: ../../../flutter/third_party/skia/gm/blurimagevmask.cpp
FILE: ../../../flutter/third_party/skia/gm/blurpositioning.cpp
FILE: ../../../flutter/third_party/skia/gm/blurtextsmallradii.cpp
FILE: ../../../flutter/third_party/skia/gm/bug6643.cpp
FILE: ../../../flutter/third_party/skia/gm/bug6783.cpp
FILE: ../../../flutter/third_party/skia/gm/circle_sizes.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_691386.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_788500.cpp
FILE: ../../../flutter/third_party/skia/gm/crosscontextimage.cpp
FILE: ../../../flutter/third_party/skia/gm/dftext_blob_persp.cpp
FILE: ../../../flutter/third_party/skia/gm/drrect_small_inner.cpp
FILE: ../../../flutter/third_party/skia/gm/encode_alpha_jpeg.cpp
FILE: ../../../flutter/third_party/skia/gm/flippity.cpp
FILE: ../../../flutter/third_party/skia/gm/highcontrastfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/hsl.cpp
FILE: ../../../flutter/third_party/skia/gm/imageblurclampmode.cpp
FILE: ../../../flutter/third_party/skia/gm/imageblurrepeatmode.cpp
FILE: ../../../flutter/third_party/skia/gm/jpg_color_cube.cpp
FILE: ../../../flutter/third_party/skia/gm/makecolorspace.cpp
FILE: ../../../flutter/third_party/skia/gm/manypaths.cpp
FILE: ../../../flutter/third_party/skia/gm/pictureshadercache.cpp
FILE: ../../../flutter/third_party/skia/gm/radial_gradient_precision.cpp
FILE: ../../../flutter/third_party/skia/gm/savelayer.cpp
FILE: ../../../flutter/third_party/skia/gm/shadowutils.cpp
FILE: ../../../flutter/third_party/skia/gm/srgb.cpp
FILE: ../../../flutter/third_party/skia/gm/testgradient.cpp
FILE: ../../../flutter/third_party/skia/gm/text_scale_skew.cpp
FILE: ../../../flutter/third_party/skia/gm/thinconcavepaths.cpp
FILE: ../../../flutter/third_party/skia/include/android/SkAndroidFrameworkUtils.h
FILE: ../../../flutter/third_party/skia/include/codec/SkEncodedOrigin.h
FILE: ../../../flutter/third_party/skia/include/core/SkExecutor.h
FILE: ../../../flutter/third_party/skia/include/core/SkFontArguments.h
FILE: ../../../flutter/third_party/skia/include/core/SkSerialProcs.h
FILE: ../../../flutter/third_party/skia/include/core/SkVertices.h
FILE: ../../../flutter/third_party/skia/include/docs/SkXPSDocument.h
FILE: ../../../flutter/third_party/skia/include/effects/SkHighContrastFilter.h
FILE: ../../../flutter/third_party/skia/include/encode/SkEncoder.h
FILE: ../../../flutter/third_party/skia/include/encode/SkJpegEncoder.h
FILE: ../../../flutter/third_party/skia/include/encode/SkPngEncoder.h
FILE: ../../../flutter/third_party/skia/include/encode/SkWebpEncoder.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrBackendSemaphore.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrBackendSurface.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlTypes.h
FILE: ../../../flutter/third_party/skia/include/gpu/mock/GrMockTypes.h
FILE: ../../../flutter/third_party/skia/include/gpu/mtl/GrMtlTypes.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_mac_ct.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkMalloc.h
FILE: ../../../flutter/third_party/skia/include/utils/SkShadowUtils.h
FILE: ../../../flutter/third_party/skia/modules/skottie/gm/ExternalProperties.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/gm/SkottieGM.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/include/Skottie.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Skottie.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottieValue.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGDraw.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGEffectNode.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGeometryNode.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGroup.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGInvalidationController.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGMerge.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGNode.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGPaint.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGPath.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGRect.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGRenderNode.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGTransform.h
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGDraw.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGEffectNode.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGeometryNode.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGroup.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGInvalidationController.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGMerge.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGNode.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGPaint.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGPath.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGRect.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGRenderNode.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGTransform.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGGradient.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGPattern.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGRadialGradient.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGUse.h
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGGradient.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGPattern.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGRadialGradient.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGUse.cpp
FILE: ../../../flutter/third_party/skia/src/android/SkAndroidFrameworkUtils.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkArenaAllocList.h
FILE: ../../../flutter/third_party/skia/src/base/SkSafeMath.h
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpBaseCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkBmpBaseCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkFrameHolder.h
FILE: ../../../flutter/third_party/skia/src/codec/SkHeifCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkHeifCodec.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegPriv.h
FILE: ../../../flutter/third_party/skia/src/codec/SkParseEncodedOrigin.h
FILE: ../../../flutter/third_party/skia/src/codec/SkPngPriv.h
FILE: ../../../flutter/third_party/skia/src/codec/SkStubHeifDecoderAPI.h
FILE: ../../../flutter/third_party/skia/src/core/SkAutoBlitterChoose.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlendMode.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkClipStackDevice.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkClipStackDevice.h
FILE: ../../../flutter/third_party/skia/src/core/SkDrawShadowInfo.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDrawShadowInfo.h
FILE: ../../../flutter/third_party/skia/src/core/SkDraw_vertices.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkExecutor.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkGaussFilter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkGaussFilter.h
FILE: ../../../flutter/third_party/skia/src/core/SkImageInfoPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkMaskBlurFilter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMaskBlurFilter.h
FILE: ../../../flutter/third_party/skia/src/core/SkRasterClipStack.h
FILE: ../../../flutter/third_party/skia/src/core/SkVertices.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkWritePixelsRec.h
FILE: ../../../flutter/third_party/skia/src/effects/SkDashImpl.h
FILE: ../../../flutter/third_party/skia/src/effects/SkHighContrastFilter.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkJpegEncoderImpl.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAHardwareBufferImageGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAHardwareBufferImageGenerator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSurface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendTextureImageGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendTextureImageGenerator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorInfo.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrColorInfo.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredProxyUploader.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredUpload.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOnFlushResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOnFlushResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorSet.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProcessorSet.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceAllocator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceAllocator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSemaphore.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxyPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxyCacheAccess.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureProxyPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SkGr.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/StencilClip.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrAtlasedShaderHelpers.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrTextureEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrTextureEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLOpsRenderPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLSemaphore.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVertexGeoBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLVertexGeoBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockAttachment.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockGpu.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockGpu.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockOpsRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCaps.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlGpu.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlGpu.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlRenderTarget.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTexture.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTrampoline.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTrampoline.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUtil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUtil.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/ClearOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelper.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelper.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TextureOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TextureOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSemaphore.h
FILE: ../../../flutter/third_party/skia/src/opts/SkMemset_opts.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkKeyedImage.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkKeyedImage.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGradientShader.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGradientShader.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom_directory.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom_embedded.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_custom_empty.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkOSFile_ios.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_fvar.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkShaderBase.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLFileOutputStream.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLLexer.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLLexer.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLOutputStream.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLString.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLString.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLStringStream.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLPipelineStageCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSetting.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchCase.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchStatement.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/DFA.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/DFAState.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/LexUtil.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/Main.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/lex/NFA.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/lex/NFA.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/NFAState.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/NFAtoDFA.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/RegexNode.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/lex/RegexNode.h
FILE: ../../../flutter/third_party/skia/src/sksl/lex/RegexParser.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/lex/RegexParser.h
FILE: ../../../flutter/third_party/skia/src/utils/SkFloatToDecimal.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkFloatToDecimal.h
FILE: ../../../flutter/third_party/skia/src/utils/SkJSONWriter.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkJSONWriter.h
FILE: ../../../flutter/third_party/skia/src/utils/SkPolyUtils.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkPolyUtils.h
FILE: ../../../flutter/third_party/skia/src/utils/SkShadowTessellator.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkShadowTessellator.h
FILE: ../../../flutter/third_party/skia/src/utils/SkShadowUtils.cpp
----------------------------------------------------------------------------------------------------
Copyright 2017 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzCommon.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzPathMeasure.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzRegionOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzImageFilterDeserialize.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPathDeserialize.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRegionDeserialize.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRegionSetPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/analytic_gradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/androidblendmodes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/b_119394958.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clockwise.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_847759.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_884166.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_887103.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_892988.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_899512.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_905548.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/daa.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawimageset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawquadset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontregen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fwidth_squircle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gradients_degenerate.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hugepath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/localmatrixshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/make_raster_image.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mandoline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/orientation.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/p3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/pathmeasure.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/perspimages.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/polygonoffset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/scaledemoji.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/scaledemoji_rendering.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/shadermaskfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/sharedcorners.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/trickycubicstrokes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/unpremul.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/wacky_yuv_formats.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/SkAnimatedImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkCanvasVirtualEnforcer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkContourMeasure.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkCoverageMode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkCubicMap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFontMetrics.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFontParameters.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkFontTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSpan.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkShaderMaskFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkTrimPathEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrBackendDrawableInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrDriverBugWorkarounds.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrBackendDrawableInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/GrVkMemoryAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_fuchsia.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkMacros.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkSafe32.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkSpan_impl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/vk/SkiaVulkan.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkTextUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/skcms.cc + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/Transform_inl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/skcms_internals.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/skcms_public.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/include/SkottieProperty.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottieJson.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottieJson.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottiePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottieProperty.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottieTest.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SkottieTool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/PrecompLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/TextLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/ShapeLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/utils/SkottieUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/utils/SkottieUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skresources/src/SkAnimCodecPlayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skresources/src/SkAnimCodecPlayer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGClipEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGMaskEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGOpacityEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGPlane.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGScene.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGText.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGClipEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGMaskEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGOpacityEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGPlane.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGScene.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGText.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/android/SkAnimatedImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTDArray.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkEncodedInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkParseEncodedOrigin.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkWuffsCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCanvasPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorSpaceXformSteps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorSpaceXformSteps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkContourMeasure.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCubicMap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDraw_text.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkIPoint16.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMaskFilterBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPath_serial.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPicturePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRRectPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRectPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSafeRange.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrikeCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTextBlobPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTypeface_remote.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkShaderMaskFilterImpl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkTrimPE.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkTrimPathEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrContextThreadSafeProxyPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDDLContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDirectContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDriverBugWorkarounds.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFPArgs.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProxyProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProxyProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceProviderPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceCharacterization.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrSkSLFP.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrSkSLFP.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrYUVtoRGBEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrYUVtoRGBEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuad.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientBitmapCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientBitmapCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshBase.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshYUVA.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshYUVA.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlAttachment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlAttachment.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlBuffer.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCppUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlDepthStencil.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlOpsRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlOpsRenderPass.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineState.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateBuilder.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateDataManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateDataManager.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlResourceProvider.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSampler.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTextureRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTextureRenderTarget.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUniformHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUniformHandler.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlVaryingHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlVaryingHandler.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawableOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawableOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRRectOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRRectOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRectOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRectOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/QuadPerEdgeAA.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/QuadPerEdgeAA.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeRectOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeRectOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/text/GrAtlasManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/text/GrAtlasManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImageLayout.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSamplerYcbcrConversion.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSamplerYcbcrConversion.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTypesPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanAMDMemoryAllocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanAMDMemoryAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/vulkanmemoryallocator/VulkanMemoryAllocatorWrapper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/vulkanmemoryallocator/VulkanMemoryAllocatorWrapper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Lazy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkBitmapProcState_opts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkOpts_hsw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkOpts_skx.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkRasterPipeline_opts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsAsWinding.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTCurve.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkClusterator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkClusterator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFTag.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFTag.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fuchsia.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLPipelineStageCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariableReference.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SDFMaskFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SkChromeRemoteGlyphCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCallableTraits.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkJSON.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkJSON.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkTextUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkUniqueCFRef.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkDWriteNTDDI_VERSION.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzCommon.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzPathMeasure.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzRegionOp.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzImageFilterDeserialize.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPathDeserialize.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRegionDeserialize.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRegionSetPath.cpp
FILE: ../../../flutter/third_party/skia/gm/analytic_gradients.cpp
FILE: ../../../flutter/third_party/skia/gm/androidblendmodes.cpp
FILE: ../../../flutter/third_party/skia/gm/b_119394958.cpp
FILE: ../../../flutter/third_party/skia/gm/clockwise.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_847759.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_884166.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_887103.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_892988.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_899512.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_905548.cpp
FILE: ../../../flutter/third_party/skia/gm/daa.cpp
FILE: ../../../flutter/third_party/skia/gm/drawimageset.cpp
FILE: ../../../flutter/third_party/skia/gm/drawquadset.cpp
FILE: ../../../flutter/third_party/skia/gm/fontregen.cpp
FILE: ../../../flutter/third_party/skia/gm/fwidth_squircle.cpp
FILE: ../../../flutter/third_party/skia/gm/gradients_degenerate.cpp
FILE: ../../../flutter/third_party/skia/gm/hugepath.cpp
FILE: ../../../flutter/third_party/skia/gm/localmatrixshader.cpp
FILE: ../../../flutter/third_party/skia/gm/make_raster_image.cpp
FILE: ../../../flutter/third_party/skia/gm/mandoline.cpp
FILE: ../../../flutter/third_party/skia/gm/orientation.cpp
FILE: ../../../flutter/third_party/skia/gm/p3.cpp
FILE: ../../../flutter/third_party/skia/gm/pathmeasure.cpp
FILE: ../../../flutter/third_party/skia/gm/perspimages.cpp
FILE: ../../../flutter/third_party/skia/gm/polygonoffset.cpp
FILE: ../../../flutter/third_party/skia/gm/scaledemoji.cpp
FILE: ../../../flutter/third_party/skia/gm/scaledemoji_rendering.cpp
FILE: ../../../flutter/third_party/skia/gm/shadermaskfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/sharedcorners.cpp
FILE: ../../../flutter/third_party/skia/gm/trickycubicstrokes.cpp
FILE: ../../../flutter/third_party/skia/gm/unpremul.cpp
FILE: ../../../flutter/third_party/skia/gm/wacky_yuv_formats.cpp
FILE: ../../../flutter/third_party/skia/include/android/SkAnimatedImage.h
FILE: ../../../flutter/third_party/skia/include/core/SkCanvasVirtualEnforcer.h
FILE: ../../../flutter/third_party/skia/include/core/SkContourMeasure.h
FILE: ../../../flutter/third_party/skia/include/core/SkCoverageMode.h
FILE: ../../../flutter/third_party/skia/include/core/SkCubicMap.h
FILE: ../../../flutter/third_party/skia/include/core/SkFontMetrics.h
FILE: ../../../flutter/third_party/skia/include/core/SkFontParameters.h
FILE: ../../../flutter/third_party/skia/include/core/SkFontTypes.h
FILE: ../../../flutter/third_party/skia/include/core/SkSpan.h
FILE: ../../../flutter/third_party/skia/include/effects/SkShaderMaskFilter.h
FILE: ../../../flutter/third_party/skia/include/effects/SkTrimPathEffect.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrBackendDrawableInfo.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrDriverBugWorkarounds.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrBackendDrawableInfo.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/GrVkMemoryAllocator.h
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_fuchsia.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkMacros.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkSafe32.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkSpan_impl.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTo.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/vk/SkiaVulkan.h
FILE: ../../../flutter/third_party/skia/include/utils/SkTextUtils.h
FILE: ../../../flutter/third_party/skia/modules/skcms/skcms.cc
FILE: ../../../flutter/third_party/skia/modules/skcms/src/Transform_inl.h
FILE: ../../../flutter/third_party/skia/modules/skcms/src/skcms_internals.h
FILE: ../../../flutter/third_party/skia/modules/skcms/src/skcms_public.h
FILE: ../../../flutter/third_party/skia/modules/skottie/include/SkottieProperty.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottieJson.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottieJson.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottiePriv.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottieProperty.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottieTest.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SkottieTool.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/PrecompLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/TextLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/ShapeLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/utils/SkottieUtils.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/utils/SkottieUtils.h
FILE: ../../../flutter/third_party/skia/modules/skresources/src/SkAnimCodecPlayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skresources/src/SkAnimCodecPlayer.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGClipEffect.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGColorFilter.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGradient.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGImage.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGMaskEffect.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGOpacityEffect.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGPlane.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGScene.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGText.h
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGClipEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGColorFilter.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGradient.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGImage.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGMaskEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGOpacityEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGPlane.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGScene.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGText.cpp
FILE: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper.cpp
FILE: ../../../flutter/third_party/skia/src/android/SkAnimatedImage.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkTDArray.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkEncodedInfo.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkParseEncodedOrigin.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkWuffsCodec.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCanvasPriv.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColorSpaceXformSteps.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColorSpaceXformSteps.h
FILE: ../../../flutter/third_party/skia/src/core/SkContourMeasure.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCubicMap.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDraw_text.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFontPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkIPoint16.h
FILE: ../../../flutter/third_party/skia/src/core/SkMaskFilterBase.h
FILE: ../../../flutter/third_party/skia/src/core/SkPath_serial.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPicturePriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkRRectPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkRectPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkSafeRange.h
FILE: ../../../flutter/third_party/skia/src/core/SkStrikeCache.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTextBlobPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkTypeface_remote.h
FILE: ../../../flutter/third_party/skia/src/effects/SkShaderMaskFilterImpl.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkTrimPE.h
FILE: ../../../flutter/third_party/skia/src/effects/SkTrimPathEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrContextThreadSafeProxyPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDDLContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDirectContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDriverBugWorkarounds.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFPArgs.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProxyProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProxyProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrResourceProviderPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceCharacterization.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrSkSLFP.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrSkSLFP.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrYUVtoRGBEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrYUVtoRGBEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuad.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientBitmapCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientBitmapCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientShader.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gradients/GrGradientShader.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshBase.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshBase.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshYUVA.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshYUVA.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlAttachment.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlAttachment.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlBuffer.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCppUtil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlDepthStencil.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlOpsRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlOpsRenderPass.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineState.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateBuilder.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateDataManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipelineStateDataManager.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlResourceProvider.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSampler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSampler.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTextureRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTextureRenderTarget.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUniformHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlUniformHandler.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlVaryingHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlVaryingHandler.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawableOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawableOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRRectOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRRectOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRectOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillRectOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/QuadPerEdgeAA.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/QuadPerEdgeAA.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeRectOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeRectOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/text/GrAtlasManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/text/GrAtlasManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandPool.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkCommandPool.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkImageLayout.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSamplerYcbcrConversion.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSamplerYcbcrConversion.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTypesPriv.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanAMDMemoryAllocator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanAMDMemoryAllocator.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/vulkanmemoryallocator/VulkanMemoryAllocatorWrapper.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/vk/vulkanmemoryallocator/VulkanMemoryAllocatorWrapper.h
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Lazy.h
FILE: ../../../flutter/third_party/skia/src/opts/SkBitmapProcState_opts.h
FILE: ../../../flutter/third_party/skia/src/opts/SkOpts_hsw.cpp
FILE: ../../../flutter/third_party/skia/src/opts/SkOpts_skx.cpp
FILE: ../../../flutter/third_party/skia/src/opts/SkRasterPipeline_opts.h
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsAsWinding.cpp
FILE: ../../../flutter/third_party/skia/src/pathops/SkPathOpsTCurve.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkClusterator.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkClusterator.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFTag.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFTag.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fuchsia.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLPipelineStageCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariableReference.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SDFMaskFilter.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SkChromeRemoteGlyphCache.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkCallableTraits.h
FILE: ../../../flutter/third_party/skia/src/utils/SkJSON.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkJSON.h
FILE: ../../../flutter/third_party/skia/src/utils/SkTextUtils.cpp
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkUniqueCFRef.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkDWriteNTDDI_VERSION.h
----------------------------------------------------------------------------------------------------
Copyright 2018 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzEncoders.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzPolyUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/canvaskit_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/pathkit/pathkit_wasm_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/skcms_Transform.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/skcms_TransformBaseline.cc + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/skcms_TransformHsw.cc + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/src/skcms_TransformSkx.cc + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkNoDestructor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGlyph.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkTypeface_remote.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzEncoders.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzPolyUtils.cpp
FILE: ../../../flutter/third_party/skia/modules/canvaskit/canvaskit_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/pathkit/pathkit_wasm_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/skcms/src/skcms_Transform.h
FILE: ../../../flutter/third_party/skia/modules/skcms/src/skcms_TransformBaseline.cc
FILE: ../../../flutter/third_party/skia/modules/skcms/src/skcms_TransformHsw.cc
FILE: ../../../flutter/third_party/skia/modules/skcms/src/skcms_TransformSkx.cc
FILE: ../../../flutter/third_party/skia/src/base/SkNoDestructor.h
FILE: ../../../flutter/third_party/skia/src/core/SkGlyph.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkTypeface_remote.cpp
----------------------------------------------------------------------------------------------------
Copyright 2018 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/docs/SkPDFDocument.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkUTF.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkUTF.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGlyphUse.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFSubsetFont.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFSubsetFont.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFUnion.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkUUID.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/docs/SkPDFDocument.h
FILE: ../../../flutter/third_party/skia/src/base/SkUTF.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkUTF.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGlyphUse.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFSubsetFont.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFSubsetFont.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFUnion.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkUUID.h
----------------------------------------------------------------------------------------------------
Copyright 2018 Google LLC.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzCommon.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAPIImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAndroidCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAnimatedImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzDrawFunctions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzGradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzIncrementalImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzJPEGEncoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzJSON.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzMockGPUCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzNullCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPNGEncoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPathMeasure.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPathop.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPolyUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRasterN32Canvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzTextBlobDeserialize.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzWEBPEncoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/fuzz/FuzzSkottieJSON.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzCommon.h
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAPIImageFilter.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAndroidCodec.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAnimatedImage.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzDrawFunctions.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzGradients.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzImage.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzIncrementalImage.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzJPEGEncoder.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzJSON.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzMockGPUCanvas.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzNullCanvas.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPNGEncoder.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPathMeasure.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPathop.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPolyUtils.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRasterN32Canvas.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzTextBlobDeserialize.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzWEBPEncoder.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/fuzz/FuzzSkottieJSON.cpp
----------------------------------------------------------------------------------------------------
Copyright 2018 Google, LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGlyphRunPainter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkGlyphRunPainter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/GlyphRun.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/GlyphRun.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkGlyphRunPainter.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkGlyphRunPainter.h
FILE: ../../../flutter/third_party/skia/src/text/GlyphRun.cpp
FILE: ../../../flutter/third_party/skia/src/text/GlyphRun.h
----------------------------------------------------------------------------------------------------
Copyright 2018 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrDriverBugWorkaroundsAutogen.h + ../../../LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkTraceEventPhase.h + ../../../LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/gpu/GrDriverBugWorkaroundsAutogen.h
FILE: ../../../flutter/third_party/skia/include/utils/SkTraceEventPhase.h
----------------------------------------------------------------------------------------------------
Copyright 2018 The Chromium Authors. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above
copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the
distribution.
* Neither the name of Google Inc. nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/backdrop.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/backdrop_imagefilter_croprect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bug9331.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/clip_sierpinski_region.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/collapsepaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/compositor_quads.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_913349.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_938592.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_947055.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_996140.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/ducky_yuv_blend.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fiddle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mac_aa_explorer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mixercolorfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/overdrawcanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/postercircle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_8664.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_8955.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/video_decoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/yuv420_odd_dim.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/GrAHardwareBufferUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTileMode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrContextThreadSafeProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrRecordingContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkCFObject.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/GrVkSecondaryCBDrawContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrContext_Base.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrImageContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/include/TextShaper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Composition.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Composition.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Layer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Layer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/DropShadowEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/Effects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/Effects.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/FillEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/GaussianBlurEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/GradientEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/HueSaturationEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/InvertEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/LevelsEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/LinearWipeEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/MotionBlurEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/MotionBlurEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/MotionTileEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/RadialWipeEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/ShiftChannelsEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/TintEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/TransformEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/TritoneEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/VenetianBlindsEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/FootageLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/NullLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/SolidLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/RangeSelector.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/RangeSelector.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAdapter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAdapter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAnimator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextShaper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextValue.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/TextValue.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGRenderEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGNodePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGRenderEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGTransformPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGText.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGText.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkVx.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkZip.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkScalingCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDescriptor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDraw_atlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEffectPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkEnumerate.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathMakers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrikeSpec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVMath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVMath.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAHardwareBufferUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBaseContextPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrContextThreadSafeProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrContext_Base.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCpuBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDataUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDataUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDirectContextPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageContextPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRecordingContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRecordingContextPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVUniformHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVUniformHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVVaryingHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVVaryingHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCommandBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCommandBuffer.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlDepthStencil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSemaphore.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/OpsTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/OpsTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_GaneshMtl.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSecondaryCBDrawContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLDefines.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLOutputStream.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/StrikeForGPU.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCharToGlyphCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCharToGlyphCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkClipStackUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkClipStackUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkObjBase.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/backdrop.cpp
FILE: ../../../flutter/third_party/skia/gm/backdrop_imagefilter_croprect.cpp
FILE: ../../../flutter/third_party/skia/gm/bug9331.cpp
FILE: ../../../flutter/third_party/skia/gm/clip_sierpinski_region.cpp
FILE: ../../../flutter/third_party/skia/gm/collapsepaths.cpp
FILE: ../../../flutter/third_party/skia/gm/compositor_quads.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_913349.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_938592.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_947055.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_996140.cpp
FILE: ../../../flutter/third_party/skia/gm/ducky_yuv_blend.cpp
FILE: ../../../flutter/third_party/skia/gm/fiddle.cpp
FILE: ../../../flutter/third_party/skia/gm/mac_aa_explorer.cpp
FILE: ../../../flutter/third_party/skia/gm/mixercolorfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/overdrawcanvas.cpp
FILE: ../../../flutter/third_party/skia/gm/postercircle.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_8664.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_8955.cpp
FILE: ../../../flutter/third_party/skia/gm/video_decoder.cpp
FILE: ../../../flutter/third_party/skia/gm/yuv420_odd_dim.cpp
FILE: ../../../flutter/third_party/skia/include/android/GrAHardwareBufferUtils.h
FILE: ../../../flutter/third_party/skia/include/core/SkTileMode.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrContextThreadSafeProxy.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrRecordingContext.h
FILE: ../../../flutter/third_party/skia/include/ports/SkCFObject.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/GrVkSecondaryCBDrawContext.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrContext_Base.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrImageContext.h
FILE: ../../../flutter/third_party/skia/modules/skottie/include/TextShaper.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Composition.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Composition.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Layer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Layer.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/DropShadowEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/Effects.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/Effects.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/FillEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/GaussianBlurEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/GradientEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/HueSaturationEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/InvertEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/LevelsEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/LinearWipeEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/MotionBlurEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/MotionBlurEffect.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/MotionTileEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/RadialWipeEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/ShiftChannelsEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/TintEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/TransformEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/TritoneEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/VenetianBlindsEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/FootageLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/NullLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/SolidLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/RangeSelector.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/RangeSelector.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAdapter.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAdapter.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextAnimator.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextShaper.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextValue.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/TextValue.h
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGRenderEffect.h
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGNodePriv.h
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGRenderEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGTransformPriv.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGText.h
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGText.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkVx.h
FILE: ../../../flutter/third_party/skia/src/base/SkZip.h
FILE: ../../../flutter/third_party/skia/src/codec/SkScalingCodec.h
FILE: ../../../flutter/third_party/skia/src/core/SkDescriptor.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDraw_atlas.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkEffectPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkEnumerate.h
FILE: ../../../flutter/third_party/skia/src/core/SkPathMakers.h
FILE: ../../../flutter/third_party/skia/src/core/SkStrikeSpec.h
FILE: ../../../flutter/third_party/skia/src/core/SkYUVMath.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkYUVMath.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrAHardwareBufferUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBaseContextPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrContextThreadSafeProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrContext_Base.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCpuBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDataUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDataUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDirectContextPriv.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrGpuBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageContextPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRecordingContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRecordingContextPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVUniformHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVUniformHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVVaryingHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSPIRVVaryingHandler.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCommandBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlCommandBuffer.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlDepthStencil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSemaphore.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlSemaphore.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/OpsTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/OpsTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_GaneshMtl.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkSecondaryCBDrawContext.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLDefines.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLOutputStream.cpp
FILE: ../../../flutter/third_party/skia/src/text/StrikeForGPU.h
FILE: ../../../flutter/third_party/skia/src/utils/SkCharToGlyphCache.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkCharToGlyphCache.h
FILE: ../../../flutter/third_party/skia/src/utils/SkClipStackUtils.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkClipStackUtils.h
FILE: ../../../flutter/third_party/skia/src/utils/win/SkObjBase.h
----------------------------------------------------------------------------------------------------
Copyright 2019 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/asyncrescaleandread.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_908646.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_946965.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/patharcto.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/runtimecolorfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/runtimefunctions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/runtimeintrinsics.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/runtimeshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_9319.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkImageFilters.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkRuntimeEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/GrGLAssembleHelpers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkThreadAnnotations.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/WasmCommon.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/debugger_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/paragraph_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/skottie_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skresources/include/SkResources.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skresources/src/SkResources.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageFilterTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageFilterTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkImageFilter_Base.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRuntimeBlender.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRuntimeEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/AsyncReadTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/Swizzle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrClientMappedBufferManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrClientMappedBufferManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCopyRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCopyRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPersistentCacheUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxyView.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureResolveManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureResolveRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureResolveRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTransferFromRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTransferFromRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWaitRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWaitRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuadBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuadUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuadUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleGLESInterfaceAutogen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleGLInterfaceAutogen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleHelpers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleWebGLInterfaceAutogen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTypesPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkSpecialImage_Ganesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkShaderUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkShaderUtils.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/asyncrescaleandread.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_908646.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_946965.cpp
FILE: ../../../flutter/third_party/skia/gm/patharcto.cpp
FILE: ../../../flutter/third_party/skia/gm/runtimecolorfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/runtimefunctions.cpp
FILE: ../../../flutter/third_party/skia/gm/runtimeintrinsics.cpp
FILE: ../../../flutter/third_party/skia/gm/runtimeshader.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_9319.cpp
FILE: ../../../flutter/third_party/skia/include/effects/SkImageFilters.h
FILE: ../../../flutter/third_party/skia/include/effects/SkRuntimeEffect.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/GrGLAssembleHelpers.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkThreadAnnotations.h
FILE: ../../../flutter/third_party/skia/modules/canvaskit/WasmCommon.h
FILE: ../../../flutter/third_party/skia/modules/canvaskit/debugger_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/canvaskit/paragraph_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/canvaskit/skottie_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/skresources/include/SkResources.h
FILE: ../../../flutter/third_party/skia/modules/skresources/src/SkResources.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkImageFilterTypes.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkImageFilterTypes.h
FILE: ../../../flutter/third_party/skia/src/core/SkImageFilter_Base.h
FILE: ../../../flutter/third_party/skia/src/core/SkRuntimeBlender.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRuntimeEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/AsyncReadTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/Swizzle.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrClientMappedBufferManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrClientMappedBufferManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCopyRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCopyRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageInfo.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPersistentCacheUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramInfo.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrProgramInfo.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxyView.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureResolveManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureResolveRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTextureResolveRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTransferFromRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrTransferFromRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUtil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWaitRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWaitRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuadBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuadUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrQuadUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleGLESInterfaceAutogen.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleGLInterfaceAutogen.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleHelpers.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLAssembleWebGLInterfaceAutogen.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTypesPriv.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkSpecialImage_Ganesh.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockTypes.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkShaderUtils.cpp
FILE: ../../../flutter/third_party/skia/src/utils/SkShaderUtils.h
----------------------------------------------------------------------------------------------------
Copyright 2019 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/DartTypes.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/FontArguments.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/FontCollection.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/Metrics.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/Paragraph.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphBuilder.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphCache.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphPainter.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphStyle.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/TextShadow.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/TextStyle.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/include/TypefaceFontProvider.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/slides/ParagraphSlide.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/FontArguments.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/FontCollection.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/Iterators.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/OneLineShaper.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/OneLineShaper.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphBuilderImpl.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphBuilderImpl.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphCache.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphImpl.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphImpl.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphPainterImpl.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphPainterImpl.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphStyle.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/Run.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/Run.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TextLine.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TextLine.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TextShadow.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TextStyle.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TextWrapper.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TextWrapper.h
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/TypefaceFontProvider.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/utils/TestFontCollection.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/utils/TestFontCollection.h
TYPE: LicenseType.unknown
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/DartTypes.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/FontArguments.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/FontCollection.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/Metrics.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/Paragraph.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphBuilder.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphCache.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphPainter.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/ParagraphStyle.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/TextShadow.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/TextStyle.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/include/TypefaceFontProvider.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/slides/ParagraphSlide.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/FontArguments.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/FontCollection.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/Iterators.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/OneLineShaper.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/OneLineShaper.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphBuilderImpl.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphBuilderImpl.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphCache.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphImpl.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphImpl.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphPainterImpl.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphPainterImpl.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/ParagraphStyle.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/Run.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/Run.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TextLine.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TextLine.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TextShadow.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TextStyle.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TextWrapper.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TextWrapper.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/TypefaceFontProvider.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/utils/TestFontCollection.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/utils/TestFontCollection.h
----------------------------------------------------------------------------------------------------
Copyright 2019 Google LLC.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_918512.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fp_sample_chaining.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fpcoordinateoverride.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/inverseclip.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/labyrinth.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/manypathatlases.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/preservefillrule.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/swizzle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/tilemodes_alpha.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPathTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/bench/ParagraphBench.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/app/editor_application.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/include/editor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/include/stringslice.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/include/stringview.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/editor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/shape.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/shape.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/stringslice.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/word_boundaries.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/word_boundaries.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkContainers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkMalloc.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPixelRefPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathInnerTriangulateOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathInnerTriangulateOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TessellationPathRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TessellationPathRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrPathTessellationShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrPathTessellationShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicStackState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicStackState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFType1Font.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/pdf/SkPDFType1Font.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/crbug_918512.cpp
FILE: ../../../flutter/third_party/skia/gm/fp_sample_chaining.cpp
FILE: ../../../flutter/third_party/skia/gm/fpcoordinateoverride.cpp
FILE: ../../../flutter/third_party/skia/gm/inverseclip.cpp
FILE: ../../../flutter/third_party/skia/gm/labyrinth.cpp
FILE: ../../../flutter/third_party/skia/gm/manypathatlases.cpp
FILE: ../../../flutter/third_party/skia/gm/preservefillrule.cpp
FILE: ../../../flutter/third_party/skia/gm/swizzle.cpp
FILE: ../../../flutter/third_party/skia/gm/tilemodes_alpha.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkPathTypes.h
FILE: ../../../flutter/third_party/skia/modules/skparagraph/bench/ParagraphBench.cpp
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/app/editor_application.cpp
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/include/editor.h
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/include/stringslice.h
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/include/stringview.h
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/editor.cpp
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/shape.cpp
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/shape.h
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/stringslice.cpp
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/word_boundaries.cpp
FILE: ../../../flutter/third_party/skia/modules/skplaintexteditor/src/word_boundaries.h
FILE: ../../../flutter/third_party/skia/src/base/SkContainers.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkMalloc.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkPixelRefPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasPathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathInnerTriangulateOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathInnerTriangulateOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TessellationPathRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/TessellationPathRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrPathTessellationShader.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrPathTessellationShader.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicStackState.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFGraphicStackState.h
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFType1Font.cpp
FILE: ../../../flutter/third_party/skia/src/pdf/SkPDFType1Font.h
----------------------------------------------------------------------------------------------------
Copyright 2019 Google LLC.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2GLSL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2Metal.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2Pipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2SPIRV.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkDescriptorDeserialize.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2GLSL.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2Metal.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2Pipeline.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2SPIRV.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkDescriptorDeserialize.cpp
----------------------------------------------------------------------------------------------------
Copyright 2019 Google, LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/core/SkStrikeSpec.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/core/SkStrikeSpec.cpp
----------------------------------------------------------------------------------------------------
Copyright 2019 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzSkParagraph.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/3d.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bc1_transparency.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/bicubic.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/compressed_textures.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1073670.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1086705.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1113794.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/exoticformats.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rsxtext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_9819.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/strokerect_anisotropic.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/widebuttcaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkM44.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkSamplingOptions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrDirectContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/mtl/GrMtlBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTPin.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_mac.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_oboe.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_sfml.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/include/ExternalLayer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Adapter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Camera.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Camera.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Path.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Transform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/Transform.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/Animator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/Animator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/KeyframeAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/KeyframeAnimator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/ScalarKeyframeAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/ShapeKeyframeAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/TextKeyframeAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/Vec2KeyframeAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/VectorKeyframeAnimator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/animator/VectorKeyframeAnimator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/BlackAndWhiteEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/BrightnessContrastEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/CornerPinEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/DisplacementMapEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/GlowStyles.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/ShadowStyles.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/AudioLayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Ellipse.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/FillStroke.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Gradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/MergePaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/OffsetPaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Polystar.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/PuckerBloat.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Rectangle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Repeater.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/RoundCorners.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/ShapeLayer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/TrimPaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/gm/simple_gm.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGeometryEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGeometryEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_coretext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFe.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeBlend.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeColorMatrix.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeComposite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeDisplacementMap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeFlood.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeGaussianBlur.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeLighting.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeMorphology.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeOffset.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeTurbulence.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFilterContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFe.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeBlend.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeColorMatrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeComposite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeDisplacementMap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeFlood.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeGaussianBlur.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeLighting.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeMorphology.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeOffset.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeTurbulence.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFilterContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGTextPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/utils/SvgTool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorFilterPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCompressedDataUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCompressedDataUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkM44.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMemset_opts_erms.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmapBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSamplingPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkVerticesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDynamicAtlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDynamicAtlas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrEagerVertexAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrHashMapWithCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRecordingContextPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafeCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafeCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAATriangulator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAATriangulator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockOpTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasPathOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasPathOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelperWithStencil.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelperWithStencil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathAtlasMgr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathAtlasMgr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathShapeData.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathShapeData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/MiddleOutPolygonTriangulator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/StrokeIterator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/WangsFormula.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkScalerContext_mac_ct.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_mac_ct.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SDFTControl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SDFTControl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCGBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCGGeometry.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCTFont.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/mac/SkCTFont.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzSkParagraph.cpp
FILE: ../../../flutter/third_party/skia/gm/3d.cpp
FILE: ../../../flutter/third_party/skia/gm/bc1_transparency.cpp
FILE: ../../../flutter/third_party/skia/gm/bicubic.cpp
FILE: ../../../flutter/third_party/skia/gm/compressed_textures.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1073670.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1086705.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1113794.cpp
FILE: ../../../flutter/third_party/skia/gm/exoticformats.cpp
FILE: ../../../flutter/third_party/skia/gm/rsxtext.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_9819.cpp
FILE: ../../../flutter/third_party/skia/gm/strokerect_anisotropic.cpp
FILE: ../../../flutter/third_party/skia/gm/widebuttcaps.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkM44.h
FILE: ../../../flutter/third_party/skia/include/core/SkSamplingOptions.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrDirectContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlBackendContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/mtl/GrMtlBackendContext.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTPin.h
FILE: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer.cpp
FILE: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer.h
FILE: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_mac.mm
FILE: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_none.cpp
FILE: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_oboe.cpp
FILE: ../../../flutter/third_party/skia/modules/audioplayer/SkAudioPlayer_sfml.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/include/ExternalLayer.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Adapter.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Camera.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Camera.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Path.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Transform.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/Transform.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/Animator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/Animator.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/KeyframeAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/KeyframeAnimator.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/ScalarKeyframeAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/ShapeKeyframeAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/TextKeyframeAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/Vec2KeyframeAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/VectorKeyframeAnimator.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/animator/VectorKeyframeAnimator.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/BlackAndWhiteEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/BrightnessContrastEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/CornerPinEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/DisplacementMapEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/GlowStyles.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/ShadowStyles.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/AudioLayer.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Ellipse.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/FillStroke.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Gradient.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/MergePaths.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/OffsetPaths.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Polystar.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/PuckerBloat.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Rectangle.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/Repeater.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/RoundCorners.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/ShapeLayer.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/layers/shapelayer/TrimPaths.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/gm/simple_gm.cpp
FILE: ../../../flutter/third_party/skia/modules/sksg/include/SkSGGeometryEffect.h
FILE: ../../../flutter/third_party/skia/modules/sksg/src/SkSGGeometryEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_coretext.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFe.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeBlend.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeColorMatrix.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeComposite.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeDisplacementMap.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeFlood.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeGaussianBlur.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeLighting.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeMorphology.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeOffset.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeTurbulence.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFilter.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFilterContext.h
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFe.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeBlend.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeColorMatrix.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeComposite.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeDisplacementMap.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeFlood.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeGaussianBlur.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeLighting.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeMorphology.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeOffset.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeTurbulence.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFilter.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFilterContext.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGTextPriv.h
FILE: ../../../flutter/third_party/skia/modules/svg/utils/SvgTool.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColorFilterPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkCompressedDataUtils.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCompressedDataUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkM44.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMemset_opts_erms.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMipmapBuilder.h
FILE: ../../../flutter/third_party/skia/src/core/SkSamplingPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkVerticesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDynamicAtlas.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDynamicAtlas.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrEagerVertexAllocator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrHashMapWithCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRecordingContextPriv.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafeCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafeCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAATriangulator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrAATriangulator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockOpTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasPathOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawAtlasPathOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelperWithStencil.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/GrSimpleMeshDrawOpHelperWithStencil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathAtlasMgr.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathAtlasMgr.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathShapeData.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/SmallPathShapeData.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/MiddleOutPolygonTriangulator.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/StrokeIterator.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/WangsFormula.h
FILE: ../../../flutter/third_party/skia/src/ports/SkScalerContext_mac_ct.h
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_mac_ct.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/SDFTControl.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SDFTControl.h
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCGBase.h
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCGGeometry.h
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCTFont.cpp
FILE: ../../../flutter/third_party/skia/src/utils/mac/SkCTFont.h
----------------------------------------------------------------------------------------------------
Copyright 2020 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/animated_image_orientation.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1041204.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1139750.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1156804.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1162942.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_224618.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/encode_color_types.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/kawase_blur_rt.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/userfont.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/ycbcrimage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkYUVAInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkYUVAPixmaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GrYUVABackendTextures.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/d3d/GrD3DBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/d3d/GrD3DTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkImageGeneratorNDK.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkIDChangeListener.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkSLSampleUsage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrD3DTypesMinimal.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkCustomTypeface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/gm_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/viewer_bindings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/SIMD/simd_float_capabilities.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/SIMD/simd_int_capabilities.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/include/SkUnicode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkASAN.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBlockAllocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBlockAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkIDChangeListener.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRuntimeEffectPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVAInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVAPixmaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/GpuRefCnt.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ClipStack.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ClipStack.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDDLTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDDLTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrManagedResource.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPixmap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTargetContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRingBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRingBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStagingBufferManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStagingBufferManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUniformDataManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUniformDataManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUtil.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrYUVABackendTextures.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/StencilMaskHelper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/StencilMaskHelper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAMDMemoryAllocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAMDMemoryAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAttachment.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAttachment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandList.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandSignature.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandSignature.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCpuDescriptorManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCpuDescriptorManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorHeap.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorHeap.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorTableManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorTableManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DGpu.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DGpu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DOpsRenderPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DOpsRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateDataManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DResourceState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRootSignature.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRootSignature.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureRenderTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureRenderTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureResource.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureResource.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTypesMinimal.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DUtil.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DUtil.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrMatrixEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrMatrixEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrShape.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrShape.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/webgl/GrGLMakeNativeInterface_webgl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLUniformHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkMSAALoadManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkMSAALoadManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkManagedResource.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkRescaleAndReadPixels.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkRescaleAndReadPixels.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkImageEncoder_NDK.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkImageGeneratorNDK.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkNDKConversions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkNDKConversions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLAnalysis.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLConstantFolder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLConstantFolder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLInliner.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLInliner.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLMemoryPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLSampleUsage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLHLSLCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLHLSLCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVtoHLSL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVtoHLSL.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionPrototype.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifiers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPrefixExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLStructDefinition.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkCustomTypeface.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/animated_image_orientation.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1041204.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1139750.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1156804.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1162942.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_224618.cpp
FILE: ../../../flutter/third_party/skia/gm/encode_color_types.cpp
FILE: ../../../flutter/third_party/skia/gm/kawase_blur_rt.cpp
FILE: ../../../flutter/third_party/skia/gm/userfont.cpp
FILE: ../../../flutter/third_party/skia/gm/ycbcrimage.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkYUVAInfo.h
FILE: ../../../flutter/third_party/skia/include/core/SkYUVAPixmaps.h
FILE: ../../../flutter/third_party/skia/include/gpu/GrYUVABackendTextures.h
FILE: ../../../flutter/third_party/skia/include/gpu/d3d/GrD3DBackendContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/d3d/GrD3DTypes.h
FILE: ../../../flutter/third_party/skia/include/ports/SkImageGeneratorNDK.h
FILE: ../../../flutter/third_party/skia/include/private/SkIDChangeListener.h
FILE: ../../../flutter/third_party/skia/include/private/SkSLSampleUsage.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrD3DTypesMinimal.h
FILE: ../../../flutter/third_party/skia/include/utils/SkCustomTypeface.h
FILE: ../../../flutter/third_party/skia/modules/canvaskit/gm_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/canvaskit/viewer_bindings.cpp
FILE: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/SIMD/simd_float_capabilities.cpp
FILE: ../../../flutter/third_party/skia/modules/canvaskit/wasm_tools/SIMD/simd_int_capabilities.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/include/SkUnicode.h
FILE: ../../../flutter/third_party/skia/src/base/SkASAN.h
FILE: ../../../flutter/third_party/skia/src/base/SkBlockAllocator.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkBlockAllocator.h
FILE: ../../../flutter/third_party/skia/src/core/SkIDChangeListener.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRuntimeEffectPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkYUVAInfo.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkYUVAPixmaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/GpuRefCnt.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ClipStack.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ClipStack.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDDLTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDDLTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrManagedResource.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPixmap.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTargetContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRingBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRingBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStagingBufferManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrStagingBufferManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUniformDataManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUniformDataManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrUtil.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrYUVABackendTextures.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/StencilMaskHelper.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/StencilMaskHelper.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAMDMemoryAllocator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAMDMemoryAllocator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAttachment.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DAttachment.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandList.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandList.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandSignature.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCommandSignature.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCpuDescriptorManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DCpuDescriptorManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorHeap.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorHeap.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorTableManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DDescriptorTableManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DGpu.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DGpu.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DOpsRenderPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DOpsRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineState.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DPipelineStateDataManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DResourceState.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRootSignature.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DRootSignature.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DSemaphore.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureRenderTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureRenderTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureResource.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTextureResource.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTypesMinimal.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DUtil.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DUtil.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrMatrixEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrMatrixEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrShape.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrShape.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/webgl/GrGLMakeNativeInterface_webgl.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/glsl/GrGLSLUniformHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkMSAALoadManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkMSAALoadManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkManagedResource.h
FILE: ../../../flutter/third_party/skia/src/image/SkRescaleAndReadPixels.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkRescaleAndReadPixels.h
FILE: ../../../flutter/third_party/skia/src/ports/SkImageEncoder_NDK.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkImageGeneratorNDK.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkNDKConversions.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkNDKConversions.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLAnalysis.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLConstantFolder.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLConstantFolder.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLInliner.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLInliner.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLMemoryPool.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLPool.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLPool.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLSampleUsage.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLHLSLCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLHLSLCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVtoHLSL.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLSPIRVtoHLSL.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionPrototype.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifiers.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPrefixExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLStructDefinition.h
FILE: ../../../flutter/third_party/skia/src/utils/SkCustomTypeface.cpp
----------------------------------------------------------------------------------------------------
Copyright 2020 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/Decorations.cpp
ORIGIN: ../../../flutter/third_party/skia/modules/skparagraph/src/Decorations.h
TYPE: LicenseType.unknown
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/Decorations.cpp
FILE: ../../../flutter/third_party/skia/modules/skparagraph/src/Decorations.h
----------------------------------------------------------------------------------------------------
Copyright 2020 Google LLC.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/clear_swizzle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/gpu_blur_utils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLFinishCallbacks.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLFinishCallbacks.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasInstancedHelper.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeTessellateOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeTessellateOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrStrokeTessellationShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrStrokeTessellationShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrTessellationShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLAnalysis.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructor.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/clear_swizzle.cpp
FILE: ../../../flutter/third_party/skia/gm/gpu_blur_utils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLFinishCallbacks.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLFinishCallbacks.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasInstancedHelper.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeTessellateOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/StrokeTessellateOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrStrokeTessellationShader.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrStrokeTessellationShader.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrTessellationShader.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLAnalysis.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructor.cpp
----------------------------------------------------------------------------------------------------
Copyright 2020 Google LLC.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzCreateDDL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzPath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzRRect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAPICreateDDL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAPISVGCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKP.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSVG.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkRuntimeEffect.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzCreateDDL.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzPath.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzRRect.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAPICreateDDL.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzAPISVGCanvas.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKP.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSVG.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkRuntimeEffect.cpp
----------------------------------------------------------------------------------------------------
Copyright 2020 Google, LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzDDLThreading.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/aarecteffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colorspace.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/colrv1.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/drawglyphs.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/largeclippedpath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/skbug_12212.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/slug.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/graphite/MtlGraphiteTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/utils/SkOrderedFontMgr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Canvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/ColorFilters.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Gradients.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Image.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/ImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/JetSki.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Matrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Paint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Path.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/PathBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/RuntimeShaderBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Shader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/SkottieAnimation.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Surface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Surface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/SurfaceThread.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/SurfaceThread.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Utils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/jetski/src/Utils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/BulgeEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/CCTonerEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/DirectionalBlur.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/FractalNoiseEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/SharpenEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/SkSLEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/SphereEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/effects/ThresholdEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_builtin.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_runtime.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeLightSource.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGImage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGMask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeLightSource.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGImage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGMask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegxlCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegxlCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawIndirectCommand.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTaskCluster.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTaskCluster.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafePipelineBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafePipelineBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockSurfaceProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlFramebuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlFramebuffer.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlRenderCommandEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Buffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Buffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/BufferManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/BufferManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlBlitCommandEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlBuffer.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphiteUtils.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlRenderCommandEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/mtl/MtlUtils.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/CullTest.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/Tessellation.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkTransformShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkTransformShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLGLSL.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/TransitionTable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/lex/TransitionTable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkOrderedFontMgr.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzDDLThreading.cpp
FILE: ../../../flutter/third_party/skia/gm/aarecteffect.cpp
FILE: ../../../flutter/third_party/skia/gm/colorspace.cpp
FILE: ../../../flutter/third_party/skia/gm/colrv1.cpp
FILE: ../../../flutter/third_party/skia/gm/drawglyphs.cpp
FILE: ../../../flutter/third_party/skia/gm/largeclippedpath.cpp
FILE: ../../../flutter/third_party/skia/gm/skbug_12212.cpp
FILE: ../../../flutter/third_party/skia/gm/slug.cpp
FILE: ../../../flutter/third_party/skia/include/private/gpu/graphite/MtlGraphiteTypesPriv.h
FILE: ../../../flutter/third_party/skia/include/utils/SkOrderedFontMgr.h
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Canvas.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/ColorFilters.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Gradients.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Image.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/ImageFilter.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/JetSki.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Matrix.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Paint.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Path.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/PathBuilder.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/RuntimeShaderBuilder.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Shader.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/SkottieAnimation.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Surface.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Surface.h
FILE: ../../../flutter/third_party/skia/modules/jetski/src/SurfaceThread.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/SurfaceThread.h
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Utils.cpp
FILE: ../../../flutter/third_party/skia/modules/jetski/src/Utils.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/BulgeEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/CCTonerEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/DirectionalBlur.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/FractalNoiseEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/SharpenEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/SkSLEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/SphereEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/effects/ThresholdEffect.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu.h
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_builtin.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_runtime.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeImage.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGFeLightSource.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGImage.h
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGMask.h
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeImage.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGFeLightSource.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGImage.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGMask.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegxlCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegxlCodec.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDrawIndirectCommand.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTaskCluster.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrRenderTaskCluster.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafePipelineBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrThreadSafePipelineBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockSurfaceProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlFramebuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlFramebuffer.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlRenderCommandEncoder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Buffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Buffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/BufferManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/BufferManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlBlitCommandEncoder.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlBuffer.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphiteUtils.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlRenderCommandEncoder.h
FILE: ../../../flutter/third_party/skia/src/gpu/mtl/MtlUtils.mm
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/CullTest.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/Tessellation.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkTransformShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkTransformShader.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLGLSL.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/lex/TransitionTable.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/lex/TransitionTable.h
FILE: ../../../flutter/third_party/skia/src/utils/SkOrderedFontMgr.cpp
----------------------------------------------------------------------------------------------------
Copyright 2021 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/attributes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/composecolorfilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1167277.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1174186.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1174354.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1177833.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1257515.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crop_imagefilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fillrect_gradient.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/graphitestart.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hardstop_gradients_many.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/lazytiling.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mesh.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkBlender.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkMesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/effects/SkBlenders.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ShaderErrorHandler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/egl/GrGLMakeEGLInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/glx/GrGLMakeGLXInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/BackendTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/Context.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/GraphiteTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/Recorder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/Recording.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/TextureInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/mtl/MtlBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/mtl/MtlGraphiteTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/Slug.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/canvaskit/paragraph_bindings_gen.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkEnumBitMask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlendModeBlender.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlendModeBlender.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlenderBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMatrixInvert.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMatrixInvert.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMesh.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMeshPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkYUVAInfoLocation.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkBlenders.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkCropImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/imagefilters/SkRuntimeImageFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/KeyBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ResourceKey.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ShaderErrorHandler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/SkRenderEngineAbortf.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDstProxyView.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrEagerVertexAllocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshDrawTarget.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshDrawTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpsTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPersistentCacheUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWritePixelsRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWritePixelsRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrYUVATextureProxies.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrYUVATextureProxies.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceFillContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceFillContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTypesPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrInnerFanTriangulator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/egl/GrGLMakeNativeInterface_egl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/glx/GrGLMakeNativeInterface_glx.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTypesPriv.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawMeshOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawMeshOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillPathFlags.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Attribute.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/BackendTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Caps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Caps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/CommandBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/CommandBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Context.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ContextPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ContextUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ContextUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/CopyTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/CopyTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Device.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Device.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawList.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawOrder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawWriter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GpuWorkSubmission.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GraphicsPipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GraphicsPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GraphicsPipelineDesc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Graphite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PipelineDataCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Recorder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Recording.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RenderPassTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RenderPassTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Renderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/SharedContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/SharedContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Surface_Graphite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Surface_Graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Task.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Task.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TaskGraph.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TaskGraph.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Texture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Texture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TextureInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TextureProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TextureProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Uniform.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UniformManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UniformManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/BoundsManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/IntersectionTree.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/IntersectionTree.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Rect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Shape.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Shape.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Transform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Transform_graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCaps.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCommandBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCommandBuffer.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphicsPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphicsPipeline.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphiteTypes.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphiteUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlResourceProvider.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSharedContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSharedContext.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlTexture.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/mtl/MtlMemoryAllocatorImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/mtl/MtlMemoryAllocatorImpl.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/mtl/MtlUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLBuiltinTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLBuiltinTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLIntrinsicList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLMangler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLOperator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLOperator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLCanExitWithoutReturningValue.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLCheckProgramStructure.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLGetLoopUnrollInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsConstantExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLProgramUsage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLProgramVisitor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLSwitchCaseContainsExit.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLSymbolTableStackBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBinaryExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBlock.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLChildCall.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLChildCall.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArray.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArray.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArrayCast.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArrayCast.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompound.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompound.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompoundCast.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompoundCast.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorDiagonalMatrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorDiagonalMatrix.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorMatrixResize.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorMatrixResize.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorScalarCast.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorScalarCast.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorSplat.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorSplat.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorStruct.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorStruct.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDoStatement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpressionStatement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFieldAccess.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLForStatement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionCall.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDefinition.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIfStatement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIndexExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLMethodReference.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPostfixExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchStatement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwizzle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTernaryExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTypeReference.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVarDeclarations.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePlayer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePlayer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateDeadFunctions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateDeadGlobalVariables.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateDeadLocalVariables.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateUnreachableCode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLProgramWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLReplaceConstVarsWithLiterals.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/Slug.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SubRunAllocator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SubRunAllocator.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/attributes.cpp
FILE: ../../../flutter/third_party/skia/gm/composecolorfilter.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1167277.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1174186.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1174354.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1177833.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1257515.cpp
FILE: ../../../flutter/third_party/skia/gm/crop_imagefilter.cpp
FILE: ../../../flutter/third_party/skia/gm/fillrect_gradient.cpp
FILE: ../../../flutter/third_party/skia/gm/graphitestart.cpp
FILE: ../../../flutter/third_party/skia/gm/hardstop_gradients_many.cpp
FILE: ../../../flutter/third_party/skia/gm/lazytiling.cpp
FILE: ../../../flutter/third_party/skia/gm/mesh.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkBlender.h
FILE: ../../../flutter/third_party/skia/include/core/SkMesh.h
FILE: ../../../flutter/third_party/skia/include/effects/SkBlenders.h
FILE: ../../../flutter/third_party/skia/include/gpu/ShaderErrorHandler.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/egl/GrGLMakeEGLInterface.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/glx/GrGLMakeGLXInterface.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/BackendTexture.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/Context.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/GraphiteTypes.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/Recorder.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/Recording.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/TextureInfo.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/mtl/MtlBackendContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/mtl/MtlGraphiteTypes.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/Slug.h
FILE: ../../../flutter/third_party/skia/modules/canvaskit/paragraph_bindings_gen.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkEnumBitMask.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlendModeBlender.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlendModeBlender.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlenderBase.h
FILE: ../../../flutter/third_party/skia/src/core/SkMatrixInvert.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMatrixInvert.h
FILE: ../../../flutter/third_party/skia/src/core/SkMesh.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMeshPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkYUVAInfoLocation.h
FILE: ../../../flutter/third_party/skia/src/effects/SkBlenders.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkCropImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/imagefilters/SkRuntimeImageFilter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/KeyBuilder.h
FILE: ../../../flutter/third_party/skia/src/gpu/ResourceKey.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ShaderErrorHandler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/SkRenderEngineAbortf.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDstProxyView.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrEagerVertexAllocator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshDrawTarget.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshDrawTarget.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrOpsTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPersistentCacheUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWritePixelsRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrWritePixelsRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrYUVATextureProxies.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrYUVATextureProxies.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceFillContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/SurfaceFillContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/d3d/GrD3DTypesPriv.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/geometry/GrInnerFanTriangulator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/egl/GrGLMakeNativeInterface_egl.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/glx/GrGLMakeNativeInterface_glx.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mock/GrMockTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlTypesPriv.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawMeshOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/DrawMeshOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/FillPathFlags.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Attribute.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/BackendTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Caps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Caps.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/CommandBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/CommandBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Context.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ContextPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ContextUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ContextUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/CopyTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/CopyTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Device.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Device.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawList.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawList.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawOrder.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawWriter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawWriter.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GpuWorkSubmission.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GraphicsPipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GraphicsPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GraphicsPipelineDesc.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Graphite.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PipelineDataCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Recorder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Recording.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RenderPassTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RenderPassTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Renderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/SharedContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/SharedContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Surface_Graphite.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Surface_Graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Task.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Task.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TaskGraph.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TaskGraph.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Texture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Texture.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TextureInfo.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TextureProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TextureProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Uniform.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UniformManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UniformManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/BoundsManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/IntersectionTree.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/IntersectionTree.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Rect.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Shape.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Shape.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Transform.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Transform_graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCaps.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCommandBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlCommandBuffer.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphicsPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphicsPipeline.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphiteTypes.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlGraphiteUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlResourceProvider.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSharedContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSharedContext.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlTexture.mm
FILE: ../../../flutter/third_party/skia/src/gpu/mtl/MtlMemoryAllocatorImpl.h
FILE: ../../../flutter/third_party/skia/src/gpu/mtl/MtlMemoryAllocatorImpl.mm
FILE: ../../../flutter/third_party/skia/src/gpu/mtl/MtlUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLBuiltinTypes.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLBuiltinTypes.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLContext.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLIntrinsicList.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLMangler.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLOperator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLOperator.h
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLCanExitWithoutReturningValue.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLCheckProgramStructure.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLGetLoopUnrollInfo.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsConstantExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLProgramUsage.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLProgramVisitor.h
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLSwitchCaseContainsExit.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLSymbolTableStackBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBinaryExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLBlock.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLChildCall.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLChildCall.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArray.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArray.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArrayCast.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorArrayCast.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompound.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompound.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompoundCast.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorCompoundCast.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorDiagonalMatrix.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorDiagonalMatrix.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorMatrixResize.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorMatrixResize.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorScalarCast.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorScalarCast.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorSplat.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorSplat.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorStruct.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLConstructorStruct.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDoStatement.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExpressionStatement.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFieldAccess.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLForStatement.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionCall.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDefinition.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIfStatement.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIndexExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLMethodReference.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPostfixExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchStatement.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwizzle.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTernaryExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLTypeReference.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVarDeclarations.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePlayer.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePlayer.h
FILE: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePriv.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLDebugTracePriv.h
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateDeadFunctions.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateDeadGlobalVariables.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateDeadLocalVariables.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateUnreachableCode.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLProgramWriter.h
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLReplaceConstVarsWithLiterals.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/Slug.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SubRunAllocator.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SubRunAllocator.h
----------------------------------------------------------------------------------------------------
Copyright 2021 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/batchedconvexpaths.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/destcolor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/SkChromeRemoteGlyphCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/sksl/SkSLDebugTrace.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkStringView.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrVertexChunkArray.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrVertexChunkArray.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrModulateAtlasCoverageEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrModulateAtlasCoverageEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasInstancedHelper.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathStencilCoverOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathStencilCoverOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathTessellateOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathTessellateOp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrTessellationShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/AffineMatrix.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/PatchWriter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/Tessellation.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLErrorReporter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLErrorReporter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLIntrinsicList.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLMangler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLParser.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLParser.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLPosition.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLProgramKind.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDeclaration.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifierFlags.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPoison.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLFindAndDeclareBuiltinVariables.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLTransform.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/batchedconvexpaths.cpp
FILE: ../../../flutter/third_party/skia/gm/destcolor.cpp
FILE: ../../../flutter/third_party/skia/include/private/chromium/SkChromeRemoteGlyphCache.h
FILE: ../../../flutter/third_party/skia/include/sksl/SkSLDebugTrace.h
FILE: ../../../flutter/third_party/skia/src/base/SkStringView.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrVertexChunkArray.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrVertexChunkArray.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrModulateAtlasCoverageEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrModulateAtlasCoverageEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/AtlasInstancedHelper.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathStencilCoverOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathStencilCoverOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathTessellateOp.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/ops/PathTessellateOp.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/GrTessellationShader.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/AffineMatrix.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/PatchWriter.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/Tessellation.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLErrorReporter.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLErrorReporter.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLIntrinsicList.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLMangler.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLParser.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLParser.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLPosition.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLProgramKind.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLFunctionDeclaration.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifierFlags.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLPoison.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLVariable.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLFindAndDeclareBuiltinVariables.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLTransform.h
----------------------------------------------------------------------------------------------------
Copyright 2021 Google LLC.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzTriangulation.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzDDLThreading.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRegionOp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkParagraph.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzTriangulation.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzTriangulation.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzDDLThreading.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzRegionOp.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkParagraph.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzTriangulation.cpp
----------------------------------------------------------------------------------------------------
Copyright 2021 Google, LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: libjxl
ORIGIN: ../../../flutter/third_party/skia/third_party/libjxl/jxl/jxl_export.h + ../../../LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/third_party/libjxl/jxl/jxl_export.h
----------------------------------------------------------------------------------------------------
Copyright 2021 The Chromium Authors. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above
copyright notice, this list of conditions and the following disclaimer
in the documentation and/or other materials provided with the
distribution.
* Neither the name of Google Inc. nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/drawlines_with_local_matrix.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/mirrortile.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/nearesthalfpixelimage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/palette.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkOpenTypeSVGDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/mtl/MtlMemoryAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/BlendModes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/Font.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/text/Font.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/utils/TextEditor.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/utils/TextEditor.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_client.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_client.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_libgrapheme.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/include/SkSVGOpenTypeSVGDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/svg/src/SkSVGOpenTypeSVGDecoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkAvifCodec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkAvifCodec.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlComputeCommandEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_hmtx.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineBuilder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLWGSLCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLWGSLCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDiscardStatement.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLInterfaceBlock.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLayout.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLiteral.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SDFMaskFilter.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/drawlines_with_local_matrix.cpp
FILE: ../../../flutter/third_party/skia/gm/mirrortile.cpp
FILE: ../../../flutter/third_party/skia/gm/nearesthalfpixelimage.cpp
FILE: ../../../flutter/third_party/skia/gm/palette.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkOpenTypeSVGDecoder.h
FILE: ../../../flutter/third_party/skia/include/gpu/mtl/MtlMemoryAllocator.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/BlendModes.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/Font.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/src/text/Font.h
FILE: ../../../flutter/third_party/skia/modules/skottie/utils/TextEditor.cpp
FILE: ../../../flutter/third_party/skia/modules/skottie/utils/TextEditor.h
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_client.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_client.h
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_libgrapheme.cpp
FILE: ../../../flutter/third_party/skia/modules/svg/include/SkSVGOpenTypeSVGDecoder.h
FILE: ../../../flutter/third_party/skia/modules/svg/src/SkSVGOpenTypeSVGDecoder.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkAvifCodec.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkAvifCodec.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlComputeCommandEncoder.h
FILE: ../../../flutter/third_party/skia/src/sfnt/SkOTTable_hmtx.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineBuilder.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLWGSLCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLWGSLCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLDiscardStatement.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLInterfaceBlock.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLayout.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLLiteral.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SDFMaskFilter.h
----------------------------------------------------------------------------------------------------
Copyright 2022 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/bug12866.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/crbug_1313579.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkAlphaType.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkCapabilities.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkColorType.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPathUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/GpuTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/ContextOptions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/ImageProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/dawn/DawnBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/dawn/DawnUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/mtl/MtlGraphiteUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/vk/VulkanGraphiteUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/VulkanBackendContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkAPI.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkAlign.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkAlignedStorage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkAssert.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkAttributes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkDebug.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkFeatures.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkLoadUserConfig.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkTypeTraits.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/sksl/SkSLVersion.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_bidi.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/android/SkAndroidFrameworkPerfettoStaticStorage.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCapabilities.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDebugUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathEnums.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPathUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSLTypeShared.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSLTypeShared.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkGaussianColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/AtlasTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/AtlasTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/RefCntedCallback.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/SkBackingFit.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferTransferRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferTransferRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferUpdateRenderTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferUpdateRenderTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxyView.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/TestFormatColorTypeCombination.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/PathTessellator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/PathTessellator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/StrokeTessellator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/StrokeTessellator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/VertexChunkPatchAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/AttachmentTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/BuiltInCodeSnippetID.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ClearBuffersTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ClearBuffersTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ClientMappedBufferManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ClientMappedBufferManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ClipStack_graphite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ClipStack_graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/CommandTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ComputePipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ComputePipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ComputePipelineDesc.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ComputeTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ComputeTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ComputeTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawAtlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawAtlas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawCommands.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DrawParams.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/FactoryFunctions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/FactoryFunctions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GlobalCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GlobalCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GpuWorkSubmission.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GraphiteResourceKey.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/GraphiteResourceKey.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/KeyContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/KeyContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/KeyHelpers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/KeyHelpers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Log.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PaintOptionsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParams.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParams.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParamsKey.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParamsKey.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PipelineData.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PipelineData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Precompile.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Precompile.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PrecompileBasePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PublicPrecompile.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PublicPrecompile.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/QueueManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/QueueManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RecorderPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RecordingPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Renderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RendererProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RendererProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Resource.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Resource.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RuntimeEffectDictionary.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RuntimeEffectDictionary.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Sampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Sampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ShaderCodeDictionary.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ShaderCodeDictionary.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/SpecialImage_Graphite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/SpecialImage_Graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/SynchronizeToCpuTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/SynchronizeToCpuTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TextureProxyView.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TextureUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/TextureUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UniquePaintParamsID.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UploadBufferManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UploadBufferManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UploadTask.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/UploadTask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnAsyncWait.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnAsyncWait.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCommandBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCommandBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphicsPipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphicsPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphiteUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphiteUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnQueueManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnQueueManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSharedContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSharedContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnTypesPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Geometry.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/SubRunData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlComputePipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlComputePipeline.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlQueueManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlQueueManager.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSampler.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/AnalyticRRectRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/AnalyticRRectRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/BitmapTextRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/BitmapTextRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/CommonDepthStencilSettings.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverBoundsRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverBoundsRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/DynamicInstancesPatchAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/MiddleOutFanRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/MiddleOutFanRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/SDFTextRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/SDFTextRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateCurvesRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateCurvesRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateStrokesRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateStrokesRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateWedgesRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateWedgesRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/VerticesRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/VerticesRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/text/TextAtlasManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/text/TextAtlasManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCaps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCaps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCommandBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCommandBuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphiteUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphiteUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanQueueManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanQueueManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanResourceProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanResourceProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSharedContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSharedContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/FixedCountBufferUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/FixedCountBufferUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/LinearTolerances.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkEmptyShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkGradientBaseShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLModuleLoader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLModuleLoader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLFinalizationChecks.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLHasSideEffects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsSameExpressionTree.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsTrivialExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLNoOpErrorReporter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLProgramUsage.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineCodeGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineCodeGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLProgram.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLAddConstToVarModifiers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateEmptyStatements.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLFindAndDeclareBuiltinFunctions.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLRenamePrivateSymbols.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/StrikeForGPU.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/GlyphVector.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/GlyphVector.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SubRunContainer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SubRunContainer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkTestCanvas.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/bug12866.cpp
FILE: ../../../flutter/third_party/skia/gm/crbug_1313579.cpp
FILE: ../../../flutter/third_party/skia/include/core/SkAlphaType.h
FILE: ../../../flutter/third_party/skia/include/core/SkCapabilities.h
FILE: ../../../flutter/third_party/skia/include/core/SkColorType.h
FILE: ../../../flutter/third_party/skia/include/core/SkPathUtils.h
FILE: ../../../flutter/third_party/skia/include/gpu/GpuTypes.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/ContextOptions.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/ImageProvider.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/dawn/DawnBackendContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/dawn/DawnUtils.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/mtl/MtlGraphiteUtils.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/vk/VulkanGraphiteUtils.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/VulkanBackendContext.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkAPI.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkAlign.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkAlignedStorage.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkAssert.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkAttributes.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkDebug.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkFeatures.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkLoadUserConfig.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkTypeTraits.h
FILE: ../../../flutter/third_party/skia/include/sksl/SkSLVersion.h
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_bidi.cpp
FILE: ../../../flutter/third_party/skia/src/android/SkAndroidFrameworkPerfettoStaticStorage.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkCapabilities.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDebugUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkPathEnums.h
FILE: ../../../flutter/third_party/skia/src/core/SkPathUtils.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSLTypeShared.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSLTypeShared.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkGaussianColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/AtlasTypes.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/AtlasTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/RefCntedCallback.h
FILE: ../../../flutter/third_party/skia/src/gpu/SkBackingFit.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferTransferRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferTransferRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferUpdateRenderTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBufferUpdateRenderTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrImageInfo.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrSurfaceProxyView.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/TestFormatColorTypeCombination.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/PathTessellator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/PathTessellator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/StrokeTessellator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/StrokeTessellator.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/tessellate/VertexChunkPatchAllocator.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/AttachmentTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/BuiltInCodeSnippetID.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ClearBuffersTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ClearBuffersTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ClientMappedBufferManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ClientMappedBufferManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ClipStack_graphite.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ClipStack_graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/CommandTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ComputePipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ComputePipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ComputePipelineDesc.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ComputeTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ComputeTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ComputeTypes.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawAtlas.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawAtlas.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawCommands.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DrawParams.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/FactoryFunctions.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/FactoryFunctions.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GlobalCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GlobalCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GpuWorkSubmission.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GraphiteResourceKey.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/GraphiteResourceKey.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/KeyContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/KeyContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/KeyHelpers.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/KeyHelpers.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Log.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PaintOptionsPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParams.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParams.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParamsKey.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PaintParamsKey.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PipelineData.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PipelineData.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Precompile.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Precompile.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PrecompileBasePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PublicPrecompile.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PublicPrecompile.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/QueueManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/QueueManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RecorderPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RecordingPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Renderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RendererProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RendererProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Resource.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Resource.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ResourceCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RuntimeEffectDictionary.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RuntimeEffectDictionary.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Sampler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Sampler.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ShaderCodeDictionary.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ShaderCodeDictionary.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/SpecialImage_Graphite.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/SpecialImage_Graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/SynchronizeToCpuTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/SynchronizeToCpuTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TextureProxyView.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TextureUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/TextureUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UniquePaintParamsID.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UploadBufferManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UploadBufferManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UploadTask.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/UploadTask.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnAsyncWait.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnAsyncWait.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCommandBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnCommandBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphicsPipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphicsPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphiteUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnGraphiteUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnQueueManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnQueueManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSampler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSampler.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSharedContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnSharedContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnTypesPriv.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/Geometry.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/SubRunData.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlComputePipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlComputePipeline.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlQueueManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlQueueManager.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSampler.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/mtl/MtlSampler.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/AnalyticRRectRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/AnalyticRRectRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/BitmapTextRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/BitmapTextRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/CommonDepthStencilSettings.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverBoundsRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverBoundsRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/DynamicInstancesPatchAllocator.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/MiddleOutFanRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/MiddleOutFanRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/SDFTextRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/SDFTextRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateCurvesRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateCurvesRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateStrokesRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateStrokesRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateWedgesRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/TessellateWedgesRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/VerticesRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/VerticesRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/text/TextAtlasManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/text/TextAtlasManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCaps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCaps.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCommandBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanCommandBuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphiteUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphiteUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanQueueManager.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanQueueManager.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanResourceProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanResourceProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSharedContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSharedContext.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/FixedCountBufferUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/FixedCountBufferUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/LinearTolerances.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkEmptyShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkGradientBaseShader.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLModuleLoader.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLModuleLoader.h
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLFinalizationChecks.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLHasSideEffects.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsSameExpressionTree.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsTrivialExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLNoOpErrorReporter.h
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLProgramUsage.h
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineCodeGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/codegen/SkSLRasterPipelineCodeGenerator.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLProgram.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLAddConstToVarModifiers.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLEliminateEmptyStatements.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLFindAndDeclareBuiltinFunctions.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLRenamePrivateSymbols.cpp
FILE: ../../../flutter/third_party/skia/src/text/StrikeForGPU.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/GlyphVector.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/GlyphVector.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/SubRunContainer.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SubRunContainer.h
FILE: ../../../flutter/third_party/skia/src/utils/SkTestCanvas.h
----------------------------------------------------------------------------------------------------
Copyright 2022 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/gpu/MutableTextureState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/dawn/DawnTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/vk/VulkanGraphiteTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/VulkanExtensions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/VulkanMemoryAllocator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/VulkanTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkContainers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/graphite/DawnTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/graphite/VulkanGraphiteTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphiteTypes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/tessellate/MidpointContourParser.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/SkSLPosition.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/gpu/MutableTextureState.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/dawn/DawnTypes.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/vk/VulkanGraphiteTypes.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/VulkanExtensions.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/VulkanMemoryAllocator.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/VulkanTypes.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkContainers.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/graphite/DawnTypesPriv.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/graphite/VulkanGraphiteTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphiteTypes.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/tessellate/MidpointContourParser.h
FILE: ../../../flutter/third_party/skia/src/sksl/SkSLPosition.cpp
----------------------------------------------------------------------------------------------------
Copyright 2022 Google LLC.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzCOLRv1.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkMeshSpecification.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzCOLRv1.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkMeshSpecification.cpp
----------------------------------------------------------------------------------------------------
Copyright 2022 Google, LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/coordclampshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontations.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagefiltersunpremul.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_data.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkTypeface_fontations.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkExif.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkGainmapInfo.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkGainmapShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkJpegGainmapEncoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/SkXmp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skcms/skcms.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/include/SlotManager.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skottie/src/SlotManager.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_skunicode.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_hardcoded.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_hardcoded.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu4x.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_bidi.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkExif.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegMultiPicture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegMultiPicture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegSegmentScan.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegSegmentScan.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegSourceMgr.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegSourceMgr.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegXmp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegXmp.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkTiffUtility.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkTiffUtility.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkXmp.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmapDrawDownSampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmapHQDownSampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterPipelineContextUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterPipelineOpContexts.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRasterPipelineOpList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkJpegGainmapEncoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanImageView.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanImageView.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSamplerYcbcrConversion.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSamplerYcbcrConversion.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_fontations.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkTypeface_fontations_priv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkGainmapShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExtension.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIRHelpers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifiersDeclaration.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchCase.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/coordclampshader.cpp
FILE: ../../../flutter/third_party/skia/gm/fontations.cpp
FILE: ../../../flutter/third_party/skia/gm/imagefiltersunpremul.cpp
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_data.h
FILE: ../../../flutter/third_party/skia/include/ports/SkTypeface_fontations.h
FILE: ../../../flutter/third_party/skia/include/private/SkExif.h
FILE: ../../../flutter/third_party/skia/include/private/SkGainmapInfo.h
FILE: ../../../flutter/third_party/skia/include/private/SkGainmapShader.h
FILE: ../../../flutter/third_party/skia/include/private/SkJpegGainmapEncoder.h
FILE: ../../../flutter/third_party/skia/include/private/SkXmp.h
FILE: ../../../flutter/third_party/skia/modules/skcms/skcms.h
FILE: ../../../flutter/third_party/skia/modules/skottie/include/SlotManager.h
FILE: ../../../flutter/third_party/skia/modules/skottie/src/SlotManager.cpp
FILE: ../../../flutter/third_party/skia/modules/skshaper/src/SkShaper_skunicode.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_hardcoded.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_hardcoded.h
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu4x.cpp
FILE: ../../../flutter/third_party/skia/modules/skunicode/src/SkUnicode_icu_bidi.h
FILE: ../../../flutter/third_party/skia/src/codec/SkExif.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegMultiPicture.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegMultiPicture.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegSegmentScan.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegSegmentScan.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegSourceMgr.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegSourceMgr.h
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegXmp.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegXmp.h
FILE: ../../../flutter/third_party/skia/src/codec/SkTiffUtility.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkTiffUtility.h
FILE: ../../../flutter/third_party/skia/src/codec/SkXmp.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMipmapDrawDownSampler.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMipmapHQDownSampler.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRasterPipelineContextUtils.h
FILE: ../../../flutter/third_party/skia/src/core/SkRasterPipelineOpContexts.h
FILE: ../../../flutter/third_party/skia/src/core/SkRasterPipelineOpList.h
FILE: ../../../flutter/third_party/skia/src/encode/SkJpegGainmapEncoder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanImageView.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanImageView.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSamplerYcbcrConversion.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSamplerYcbcrConversion.h
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_fontations.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkTypeface_fontations_priv.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkGainmapShader.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLExtension.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLIRHelpers.h
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLModifiersDeclaration.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSwitchCase.cpp
----------------------------------------------------------------------------------------------------
Copyright 2023 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzCubicRoots.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzPrecompile.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/FuzzQuadRoots.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzColorspace.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzCubicRoots.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPrecompile.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzQuadRoots.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/fontations_ft_compare.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/graphite_replay.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/hello_bazel_world.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/png_codec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rippleshadergm.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/scaledrects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/workingspace.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/AHardwareBufferUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/SkCanvasAndroid.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/SkHeifDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/SkImageAndroid.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/SkSurfaceAndroid.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/android/graphite/SurfaceAndroid.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkAvifDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkBmpDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkGifDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkIcoDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkJpegDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkJpegxlDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkPixmapUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkPngDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkRawDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkWbmpDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/codec/SkWebpDecoder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkColorTable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkPoint.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTextureCompressionType.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/core/SkTiledImageUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/docs/SkMultiPictureDocument.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/GrExternalTextureGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/SkImageGanesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/SkMeshGanesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/SkSurfaceGanesh.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/gl/GrGLBackendSurface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/gl/GrGLDirectContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/SkSurfaceMetal.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrVkBackendSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrVkBackendSurface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrVkDirectContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/BackendSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/Image.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/Surface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/graphite/YUVABackendTextures.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/vk/VulkanMutableTextureState.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkAnySubclass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/base/SkCPUTypes.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/GrDeferredDisplayList.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/GrDeferredDisplayListRecorder.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/GrPromiseImageTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/GrSurfaceCharacterization.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/chromium/SkImageChromium.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrTextureGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/private/gpu/graphite/ContextOptionsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/BentleyOttmann1.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/BruteForceCrossings.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Contour.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/EventQueue.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/EventQueueInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Int96.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Myers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Point.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Segment.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/include/SweepLine.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/BentleyOttmann1.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/BruteForceCrossings.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Contour.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/EventQueue.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Int96.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Myers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Point.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Segment.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/bentleyottmann/src/SweepLine.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkBezierCurves.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkCubics.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkCubics.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkFloatingPoint.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkQuads.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkQuads.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkRectMemcpy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkSafeMath.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTime.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/base/SkTime.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkImageGenerator_FromEncoded.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/codec/SkJpegConstants.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapProcState_opts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBitmapProcState_opts_ssse3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitMask.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitMask_opts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitMask_opts_ssse3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitRow_opts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitRow_opts_hsw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlitter_A8.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlurEngine.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkBlurMaskFilterImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkCanvas_Raster.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkChecksum.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkColorTable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawBase.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkDrawBase.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontMetricsPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontMetricsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMemset.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMemset_opts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMemset_opts_avx.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkMipmapBuilder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkOptsTargets.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkPixmapDraw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRSXform.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkReadPixelsRec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkRuntimeBlender.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSwizzler_opts.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSwizzler_opts_hsw.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkSwizzler_opts_ssse3.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkWritePixelsRec.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/SkShaderMaskFilterImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkBlendModeColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorSpaceXformColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorSpaceXformColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkComposeColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkComposeColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkGaussianColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkMatrixColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkRuntimeColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkRuntimeColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkWorkingFormatColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/effects/colorfilters/SkWorkingFormatColorFilter.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkEncoder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkJpegEncoder_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkPngEncoderImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkPngEncoder_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/encode/SkWebpEncoder_none.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/BlendFormula.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/BlendFormula.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/BlurUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/BlurUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/DitherUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/DitherUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/GpuTypesPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/MutableTextureStatePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/PipelineUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/PipelineUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/SkBackingFit.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/TiledTextureUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/TiledTextureUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/android/AHardwareBufferUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSemaphorePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSurfacePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCanvas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredDisplayList.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredDisplayListPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredDisplayListRecorder.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessors.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessors.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshBuffers.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshBuffers.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPromiseImageTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrColorTableEffect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrColorTableEffect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPerlinNoise2Effect.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPerlinNoise2Effect.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/AHardwareBufferGL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBackendSurface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBackendSurfacePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLDirectContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/GrImageUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/GrImageUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/GrTextureGenerator.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_LazyTexture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_LazyTexture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_RasterPinnable.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_RasterPinnable.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkSpecialImage_Ganesh.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_AndroidFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/AHardwareBufferVk.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBackendSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBackendSurface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBackendSurfacePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkContextThreadSafeProxy.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkContextThreadSafeProxy.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDirectContext.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/AtlasProvider.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/AtlasProvider.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/BackendSemaphore.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/DescriptorData.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ImageFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Base_Graphite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Base_Graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Image_YUVA_Graphite.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/Image_YUVA_Graphite.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PathAtlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/PathAtlas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ProxyCache.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ProxyCache.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathAtlas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathAtlas.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/ReadSwizzle.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/YUVABackendTextures.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/YUVATextureProxies.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/YUVATextureProxies.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/ComputeStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/ComputeStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/DispatchGroup.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/DispatchGroup.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloComputeSteps.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloComputeSteps.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloRenderer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloRenderer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnComputePipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnComputePipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnErrorChecker.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnErrorChecker.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnUtilsPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/CoverageMaskShape.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/geom/EdgeAAQuad.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverageMaskRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverageMaskRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/GraphiteVertexFiller.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/PerEdgeAAQuadRenderStep.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/render/PerEdgeAAQuadRenderStep.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/surface/Surface_AndroidFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorPool.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorPool.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorSet.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorSet.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanFramebuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanFramebuffer.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphicsPipeline.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphicsPipeline.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanRenderPass.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanRenderPass.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSampler.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSampler.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMutableTextureState.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMutableTextureStatePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/vk/VulkanUtilsPriv.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImageGeneratorPriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_AndroidFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Base.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_LazyFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Picture.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Picture.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_Raster.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkImage_RasterFactories.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkPictureImageGenerator.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkSurface_Base.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkSurface_Null.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/image/SkTiledImageUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkOpts_RestoreTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/opts/SkOpts_SetTarget.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/fontations/src/ffi.rs + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/fontations/src/skpath_bridge.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkBlendShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkColorShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkCoordClampShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkEmptyShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkRuntimeShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkRuntimeShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkShaderBase.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkTriColorShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkTriColorShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkWorkingColorSpaceShader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkWorkingColorSpaceShader.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkRadialGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/shaders/gradients/SkSweepGradient.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLGetLoopControlFlowInfo.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLGetReturnComplexity.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsDynamicallyUniformExpression.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLReturnsInputAlpha.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLStructDefinition.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLTraceHook.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLTraceHook.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLHoistSwitchVarDeclarationsAtTopLevel.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLRewriteIndexedSwizzle.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/SlugFromBuffer.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SlugImpl.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/SlugImpl.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/VertexFiller.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/text/gpu/VertexFiller.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/SkTestCanvas.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/utils/win/SkWGL_win.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/toolchain/android_trampolines/gen_trampolines/gen_trampolines.go + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/FuzzCubicRoots.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzPrecompile.cpp
FILE: ../../../flutter/third_party/skia/fuzz/FuzzQuadRoots.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzColorspace.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzCubicRoots.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzPrecompile.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzQuadRoots.cpp
FILE: ../../../flutter/third_party/skia/gm/fontations_ft_compare.cpp
FILE: ../../../flutter/third_party/skia/gm/graphite_replay.cpp
FILE: ../../../flutter/third_party/skia/gm/hello_bazel_world.cpp
FILE: ../../../flutter/third_party/skia/gm/png_codec.cpp
FILE: ../../../flutter/third_party/skia/gm/rippleshadergm.cpp
FILE: ../../../flutter/third_party/skia/gm/scaledrects.cpp
FILE: ../../../flutter/third_party/skia/gm/workingspace.cpp
FILE: ../../../flutter/third_party/skia/include/android/AHardwareBufferUtils.h
FILE: ../../../flutter/third_party/skia/include/android/SkCanvasAndroid.h
FILE: ../../../flutter/third_party/skia/include/android/SkHeifDecoder.h
FILE: ../../../flutter/third_party/skia/include/android/SkImageAndroid.h
FILE: ../../../flutter/third_party/skia/include/android/SkSurfaceAndroid.h
FILE: ../../../flutter/third_party/skia/include/android/graphite/SurfaceAndroid.h
FILE: ../../../flutter/third_party/skia/include/codec/SkAvifDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkBmpDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkGifDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkIcoDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkJpegDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkJpegxlDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkPixmapUtils.h
FILE: ../../../flutter/third_party/skia/include/codec/SkPngDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkRawDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkWbmpDecoder.h
FILE: ../../../flutter/third_party/skia/include/codec/SkWebpDecoder.h
FILE: ../../../flutter/third_party/skia/include/core/SkColorTable.h
FILE: ../../../flutter/third_party/skia/include/core/SkPoint.h
FILE: ../../../flutter/third_party/skia/include/core/SkTextureCompressionType.h
FILE: ../../../flutter/third_party/skia/include/core/SkTiledImageUtils.h
FILE: ../../../flutter/third_party/skia/include/docs/SkMultiPictureDocument.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/GrExternalTextureGenerator.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/SkImageGanesh.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/SkMeshGanesh.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/SkSurfaceGanesh.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/gl/GrGLBackendSurface.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/gl/GrGLDirectContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/SkSurfaceMetal.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrVkBackendSemaphore.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrVkBackendSurface.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/vk/GrVkDirectContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/BackendSemaphore.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/Image.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/Surface.h
FILE: ../../../flutter/third_party/skia/include/gpu/graphite/YUVABackendTextures.h
FILE: ../../../flutter/third_party/skia/include/gpu/vk/VulkanMutableTextureState.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkAnySubclass.h
FILE: ../../../flutter/third_party/skia/include/private/base/SkCPUTypes.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/GrDeferredDisplayList.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/GrDeferredDisplayListRecorder.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/GrPromiseImageTexture.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/GrSurfaceCharacterization.h
FILE: ../../../flutter/third_party/skia/include/private/chromium/SkImageChromium.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/ganesh/GrTextureGenerator.h
FILE: ../../../flutter/third_party/skia/include/private/gpu/graphite/ContextOptionsPriv.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/BentleyOttmann1.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/BruteForceCrossings.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Contour.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/EventQueue.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/EventQueueInterface.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Int96.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Myers.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Point.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/Segment.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/include/SweepLine.h
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/BentleyOttmann1.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/BruteForceCrossings.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Contour.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/EventQueue.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Int96.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Myers.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Point.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/Segment.cpp
FILE: ../../../flutter/third_party/skia/modules/bentleyottmann/src/SweepLine.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkBezierCurves.h
FILE: ../../../flutter/third_party/skia/src/base/SkCubics.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkCubics.h
FILE: ../../../flutter/third_party/skia/src/base/SkFloatingPoint.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkQuads.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkQuads.h
FILE: ../../../flutter/third_party/skia/src/base/SkRectMemcpy.h
FILE: ../../../flutter/third_party/skia/src/base/SkSafeMath.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkTime.cpp
FILE: ../../../flutter/third_party/skia/src/base/SkTime.h
FILE: ../../../flutter/third_party/skia/src/codec/SkImageGenerator_FromEncoded.cpp
FILE: ../../../flutter/third_party/skia/src/codec/SkJpegConstants.h
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapProcState_opts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBitmapProcState_opts_ssse3.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitMask.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlitMask_opts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitMask_opts_ssse3.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitRow_opts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitRow_opts_hsw.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkBlitter_A8.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlurEngine.h
FILE: ../../../flutter/third_party/skia/src/core/SkBlurMaskFilterImpl.h
FILE: ../../../flutter/third_party/skia/src/core/SkCanvas_Raster.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkChecksum.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkColorTable.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDrawBase.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkDrawBase.h
FILE: ../../../flutter/third_party/skia/src/core/SkFontMetricsPriv.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkFontMetricsPriv.h
FILE: ../../../flutter/third_party/skia/src/core/SkMemset.h
FILE: ../../../flutter/third_party/skia/src/core/SkMemset_opts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMemset_opts_avx.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkMipmapBuilder.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkOptsTargets.h
FILE: ../../../flutter/third_party/skia/src/core/SkPixmapDraw.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRSXform.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkReadPixelsRec.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkRuntimeBlender.h
FILE: ../../../flutter/third_party/skia/src/core/SkSwizzler_opts.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSwizzler_opts_hsw.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkSwizzler_opts_ssse3.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkWritePixelsRec.cpp
FILE: ../../../flutter/third_party/skia/src/effects/SkShaderMaskFilterImpl.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkBlendModeColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorSpaceXformColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkColorSpaceXformColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkComposeColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkComposeColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkGaussianColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkMatrixColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkRuntimeColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkRuntimeColorFilter.h
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkWorkingFormatColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/effects/colorfilters/SkWorkingFormatColorFilter.h
FILE: ../../../flutter/third_party/skia/src/encode/SkEncoder.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkJpegEncoder_none.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkPngEncoderImpl.h
FILE: ../../../flutter/third_party/skia/src/encode/SkPngEncoder_none.cpp
FILE: ../../../flutter/third_party/skia/src/encode/SkWebpEncoder_none.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/BlendFormula.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/BlendFormula.h
FILE: ../../../flutter/third_party/skia/src/gpu/BlurUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/BlurUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/DitherUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/DitherUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/GpuTypesPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/MutableTextureStatePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/PipelineUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/PipelineUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/SkBackingFit.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/TiledTextureUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/TiledTextureUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/android/AHardwareBufferUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSemaphorePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrBackendSurfacePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrCanvas.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredDisplayList.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredDisplayListPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrDeferredDisplayListRecorder.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessors.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrFragmentProcessors.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshBuffers.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrMeshBuffers.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/GrPromiseImageTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrColorTableEffect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrColorTableEffect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPerlinNoise2Effect.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/effects/GrPerlinNoise2Effect.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/AHardwareBufferGL.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBackendSurface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLBackendSurfacePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLDirectContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/GrImageUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/GrImageUtils.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/GrTextureGenerator.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_GaneshFactories.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_LazyTexture.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_LazyTexture.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_RasterPinnable.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkImage_RasterPinnable.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/image/SkSpecialImage_Ganesh.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/surface/SkSurface_AndroidFactories.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/AHardwareBufferVk.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBackendSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBackendSurface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkBackendSurfacePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkContextThreadSafeProxy.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkContextThreadSafeProxy.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/vk/GrVkDirectContext.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/AtlasProvider.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/AtlasProvider.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/BackendSemaphore.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/DescriptorData.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ImageFactories.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Base_Graphite.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Image_Base_Graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Image_YUVA_Graphite.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/Image_YUVA_Graphite.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PathAtlas.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/PathAtlas.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ProxyCache.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ProxyCache.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathAtlas.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathAtlas.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/ReadSwizzle.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/YUVABackendTextures.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/YUVATextureProxies.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/YUVATextureProxies.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/ComputeStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/ComputeStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/DispatchGroup.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/DispatchGroup.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloComputeSteps.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloComputeSteps.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloRenderer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/compute/VelloRenderer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnComputePipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnComputePipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnErrorChecker.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnErrorChecker.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/dawn/DawnUtilsPriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/CoverageMaskShape.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/geom/EdgeAAQuad.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverageMaskRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/CoverageMaskRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/GraphiteVertexFiller.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/PerEdgeAAQuadRenderStep.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/render/PerEdgeAAQuadRenderStep.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/surface/Surface_AndroidFactories.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorPool.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorPool.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorSet.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanDescriptorSet.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanFramebuffer.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanFramebuffer.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphicsPipeline.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanGraphicsPipeline.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanRenderPass.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanRenderPass.h
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSampler.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/vk/VulkanSampler.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMutableTextureState.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanMutableTextureStatePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/vk/VulkanUtilsPriv.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImageGeneratorPriv.h
FILE: ../../../flutter/third_party/skia/src/image/SkImage_AndroidFactories.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Base.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImage_LazyFactories.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Picture.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Picture.h
FILE: ../../../flutter/third_party/skia/src/image/SkImage_Raster.h
FILE: ../../../flutter/third_party/skia/src/image/SkImage_RasterFactories.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkPictureImageGenerator.h
FILE: ../../../flutter/third_party/skia/src/image/SkSurface_Base.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkSurface_Null.cpp
FILE: ../../../flutter/third_party/skia/src/image/SkTiledImageUtils.cpp
FILE: ../../../flutter/third_party/skia/src/opts/SkOpts_RestoreTarget.h
FILE: ../../../flutter/third_party/skia/src/opts/SkOpts_SetTarget.h
FILE: ../../../flutter/third_party/skia/src/ports/fontations/src/ffi.rs
FILE: ../../../flutter/third_party/skia/src/ports/fontations/src/skpath_bridge.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkBlendShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkColorShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkCoordClampShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkEmptyShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkRuntimeShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkRuntimeShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkShaderBase.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkTriColorShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkTriColorShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/SkWorkingColorSpaceShader.cpp
FILE: ../../../flutter/third_party/skia/src/shaders/SkWorkingColorSpaceShader.h
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkRadialGradient.h
FILE: ../../../flutter/third_party/skia/src/shaders/gradients/SkSweepGradient.h
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLGetLoopControlFlowInfo.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLGetReturnComplexity.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLIsDynamicallyUniformExpression.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLReturnsInputAlpha.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLStructDefinition.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLTraceHook.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/tracing/SkSLTraceHook.h
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLHoistSwitchVarDeclarationsAtTopLevel.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLRewriteIndexedSwizzle.cpp
FILE: ../../../flutter/third_party/skia/src/text/SlugFromBuffer.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SlugImpl.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/SlugImpl.h
FILE: ../../../flutter/third_party/skia/src/text/gpu/VertexFiller.cpp
FILE: ../../../flutter/third_party/skia/src/text/gpu/VertexFiller.h
FILE: ../../../flutter/third_party/skia/src/utils/SkTestCanvas.cpp
FILE: ../../../flutter/third_party/skia/src/utils/win/SkWGL_win.cpp
FILE: ../../../flutter/third_party/skia/toolchain/android_trampolines/gen_trampolines/gen_trampolines.go
----------------------------------------------------------------------------------------------------
Copyright 2023 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLEmptyExpression.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLEmptyExpression.h
----------------------------------------------------------------------------------------------------
Copyright 2023 Google LLC.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2WGSL.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkRuntimeBlender.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkRuntimeColorFilter.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/MutableTextureState.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSKSL2WGSL.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkRuntimeBlender.cpp
FILE: ../../../flutter/third_party/skia/fuzz/oss_fuzz/FuzzSkRuntimeColorFilter.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/MutableTextureState.cpp
----------------------------------------------------------------------------------------------------
Copyright 2023 Google, LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/shaders/SkCoordClampShader.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/shaders/SkCoordClampShader.cpp
----------------------------------------------------------------------------------------------------
Copyright 2023 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/include/ports/SkFontMgr_Fontations.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkFontScanner.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fontations_empty.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fontations_empty.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/include/ports/SkFontMgr_Fontations.h
FILE: ../../../flutter/third_party/skia/src/core/SkFontScanner.h
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fontations_empty.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontMgr_fontations_empty.h
----------------------------------------------------------------------------------------------------
Copyright 2024 Google Inc.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/gm/emptyshader.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/imagedither.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/gm/rendertomipmappedyuvimageplanes.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/gl/GrGLMakeWebGLInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlBackendSemaphore.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlDirectContext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/include/gpu/gl/epoxy/GrGLMakeEpoxyEGLInterface.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper_coretext.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper_harfbuzz.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper_skunicode.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkKnownRuntimeEffects.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/core/SkKnownRuntimeEffects.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/SwizzlePriv.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLCoreFunctions.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/epoxy/GrGLMakeEpoxyEGLInterface.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlBackendSemaphore.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlDirectContext.mm + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathUtils.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathUtils.h + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLCheckSymbolTableCorrectness.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbol.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/sksl/transform/SkSLFindAndDeclareBuiltinStructs.cpp + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/gm/emptyshader.cpp
FILE: ../../../flutter/third_party/skia/gm/imagedither.cpp
FILE: ../../../flutter/third_party/skia/gm/rendertomipmappedyuvimageplanes.cpp
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/gl/GrGLMakeWebGLInterface.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlBackendSemaphore.h
FILE: ../../../flutter/third_party/skia/include/gpu/ganesh/mtl/GrMtlDirectContext.h
FILE: ../../../flutter/third_party/skia/include/gpu/gl/epoxy/GrGLMakeEpoxyEGLInterface.h
FILE: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper_coretext.h
FILE: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper_harfbuzz.h
FILE: ../../../flutter/third_party/skia/modules/skshaper/include/SkShaper_skunicode.h
FILE: ../../../flutter/third_party/skia/src/core/SkKnownRuntimeEffects.cpp
FILE: ../../../flutter/third_party/skia/src/core/SkKnownRuntimeEffects.h
FILE: ../../../flutter/third_party/skia/src/gpu/SwizzlePriv.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/GrGLCoreFunctions.h
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/gl/epoxy/GrGLMakeEpoxyEGLInterface.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlBackendSemaphore.mm
FILE: ../../../flutter/third_party/skia/src/gpu/ganesh/mtl/GrMtlDirectContext.mm
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathUtils.cpp
FILE: ../../../flutter/third_party/skia/src/gpu/graphite/RasterPathUtils.h
FILE: ../../../flutter/third_party/skia/src/sksl/analysis/SkSLCheckSymbolTableCorrectness.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/ir/SkSLSymbol.cpp
FILE: ../../../flutter/third_party/skia/src/sksl/transform/SkSLFindAndDeclareBuiltinStructs.cpp
----------------------------------------------------------------------------------------------------
Copyright 2024 Google LLC
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
====================================================================================================
LIBRARY: skia
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontScanner_fontations.cpp + ../../../flutter/third_party/skia/LICENSE
ORIGIN: ../../../flutter/third_party/skia/src/ports/SkFontScanner_fontations.h + ../../../flutter/third_party/skia/LICENSE
TYPE: LicenseType.bsd
FILE: ../../../flutter/third_party/skia/src/ports/SkFontScanner_fontations.cpp
FILE: ../../../flutter/third_party/skia/src/ports/SkFontScanner_fontations.h
----------------------------------------------------------------------------------------------------
Copyright 2024 The Android Open Source Project
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are
met:
* Redistributions of source code must retain the above copyright
notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in
the documentation and/or other materials provided with the
distribution.
* Neither the name of the copyright holder nor the names of its
contributors may be used to endorse or promote products derived
from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
====================================================================================================
Total license count: 70
| engine/ci/licenses_golden/licenses_skia/0 | {
"file_path": "engine/ci/licenses_golden/licenses_skia",
"repo_id": "engine",
"token_count": 311298
} | 184 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/benchmarking/benchmarking.h"
#include "flutter/display_list/testing/dl_test_snippets.h"
namespace flutter {
DlOpReceiver& DisplayListBuilderBenchmarkAccessor(DisplayListBuilder& builder) {
return builder.asReceiver();
}
namespace {
static std::vector<testing::DisplayListInvocationGroup> allRenderingOps =
testing::CreateAllRenderingOps();
enum class DisplayListBuilderBenchmarkType {
kDefault,
kBounds,
kRtree,
kBoundsAndRtree,
};
static void InvokeAllRenderingOps(DisplayListBuilder& builder) {
DlOpReceiver& receiver = DisplayListBuilderBenchmarkAccessor(builder);
for (auto& group : allRenderingOps) {
for (size_t i = 0; i < group.variants.size(); i++) {
auto& invocation = group.variants[i];
invocation.Invoke(receiver);
}
}
}
static void Complete(DisplayListBuilder& builder,
DisplayListBuilderBenchmarkType type) {
auto display_list = builder.Build();
switch (type) {
case DisplayListBuilderBenchmarkType::kBounds:
display_list->bounds();
break;
case DisplayListBuilderBenchmarkType::kRtree:
display_list->rtree();
break;
case DisplayListBuilderBenchmarkType::kBoundsAndRtree:
display_list->bounds();
display_list->rtree();
break;
case DisplayListBuilderBenchmarkType::kDefault:
break;
}
}
bool NeedPrepareRTree(DisplayListBuilderBenchmarkType type) {
return type == DisplayListBuilderBenchmarkType::kRtree ||
type == DisplayListBuilderBenchmarkType::kBoundsAndRtree;
}
} // namespace
static void BM_DisplayListBuilderDefault(benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
InvokeAllRenderingOps(builder);
Complete(builder, type);
}
}
static void BM_DisplayListBuilderWithScaleAndTranslate(
benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
builder.Scale(3.5, 3.5);
builder.Translate(10.3, 6.9);
InvokeAllRenderingOps(builder);
Complete(builder, type);
}
}
static void BM_DisplayListBuilderWithPerspective(
benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
builder.TransformFullPerspective(0, 1, 0, 12, 1, 0, 0, 33, 3, 2, 5, 29, 0,
0, 0, 12);
InvokeAllRenderingOps(builder);
Complete(builder, type);
}
}
static void BM_DisplayListBuilderWithClipRect(
benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
SkRect clip_bounds = SkRect::MakeLTRB(6.5, 7.3, 90.2, 85.7);
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
builder.ClipRect(clip_bounds, DlCanvas::ClipOp::kIntersect, true);
InvokeAllRenderingOps(builder);
Complete(builder, type);
}
}
static void BM_DisplayListBuilderWithGlobalSaveLayer(
benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
builder.Scale(3.5, 3.5);
builder.Translate(10.3, 6.9);
builder.SaveLayer(nullptr, nullptr);
builder.Translate(45.3, 27.9);
DlOpReceiver& receiver = DisplayListBuilderBenchmarkAccessor(builder);
for (auto& group : allRenderingOps) {
for (size_t i = 0; i < group.variants.size(); i++) {
auto& invocation = group.variants[i];
invocation.Invoke(receiver);
}
}
builder.Restore();
Complete(builder, type);
}
}
static void BM_DisplayListBuilderWithSaveLayer(
benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
DlOpReceiver& receiver = DisplayListBuilderBenchmarkAccessor(builder);
for (auto& group : allRenderingOps) {
for (size_t i = 0; i < group.variants.size(); i++) {
auto& invocation = group.variants[i];
builder.SaveLayer(nullptr, nullptr);
invocation.Invoke(receiver);
builder.Restore();
}
}
Complete(builder, type);
}
}
static void BM_DisplayListBuilderWithSaveLayerAndImageFilter(
benchmark::State& state,
DisplayListBuilderBenchmarkType type) {
DlPaint layer_paint;
layer_paint.setImageFilter(&testing::kTestBlurImageFilter1);
SkRect layer_bounds = SkRect::MakeLTRB(6.5, 7.3, 35.2, 42.7);
bool prepare_rtree = NeedPrepareRTree(type);
while (state.KeepRunning()) {
DisplayListBuilder builder(prepare_rtree);
DlOpReceiver& receiver = DisplayListBuilderBenchmarkAccessor(builder);
for (auto& group : allRenderingOps) {
for (size_t i = 0; i < group.variants.size(); i++) {
auto& invocation = group.variants[i];
builder.SaveLayer(&layer_bounds, &layer_paint);
invocation.Invoke(receiver);
builder.Restore();
}
}
Complete(builder, type);
}
}
BENCHMARK_CAPTURE(BM_DisplayListBuilderDefault,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderDefault,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderDefault,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderDefault,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithScaleAndTranslate,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithScaleAndTranslate,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithScaleAndTranslate,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithScaleAndTranslate,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithPerspective,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithPerspective,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithPerspective,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithPerspective,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithClipRect,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithClipRect,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithClipRect,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithClipRect,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithGlobalSaveLayer,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithGlobalSaveLayer,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithGlobalSaveLayer,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithGlobalSaveLayer,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayer,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayer,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayer,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayer,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayerAndImageFilter,
kDefault,
DisplayListBuilderBenchmarkType::kDefault)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayerAndImageFilter,
kBounds,
DisplayListBuilderBenchmarkType::kBounds)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayerAndImageFilter,
kRtree,
DisplayListBuilderBenchmarkType::kRtree)
->Unit(benchmark::kMicrosecond);
BENCHMARK_CAPTURE(BM_DisplayListBuilderWithSaveLayerAndImageFilter,
kBoundsAndRtree,
DisplayListBuilderBenchmarkType::kBoundsAndRtree)
->Unit(benchmark::kMicrosecond);
} // namespace flutter
| engine/display_list/benchmarking/dl_builder_benchmarks.cc/0 | {
"file_path": "engine/display_list/benchmarking/dl_builder_benchmarks.cc",
"repo_id": "engine",
"token_count": 4497
} | 185 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_DISPLAY_LIST_DL_BLEND_MODE_H_
#define FLUTTER_DISPLAY_LIST_DL_BLEND_MODE_H_
namespace flutter {
/// A enum define the blend mode.
/// Blends are operators that take in two colors (source, destination) and
/// return a new color. Many of these operate the same on all 4
/// components: red, green, blue, alpha. For these, we just document what
/// happens to one component, rather than naming each one separately. Different
/// color types might have different representations for color components:
/// 8-bit: 0..255
/// 6-bit: 0..63
/// 5-bit: 0..31
/// 4-bit: 0..15
/// floats: 0...1
/// The comments are expressed as if the component values are always 0..1
/// (floats). For brevity, the documentation uses the following abbreviations s
/// : source d : destination sa : source alpha da : destination alpha Results
/// are abbreviated r : if all 4 components are computed in the same manner ra
/// : result alpha component rc : result "color": red, green, blue components
enum class DlBlendMode {
kClear, //!< r = 0
kSrc, //!< r = s
kDst, //!< r = d
kSrcOver, //!< r = s + (1-sa)*d
kDstOver, //!< r = d + (1-da)*s
kSrcIn, //!< r = s * da
kDstIn, //!< r = d * sa
kSrcOut, //!< r = s * (1-da)
kDstOut, //!< r = d * (1-sa)
kSrcATop, //!< r = s*da + d*(1-sa)
kDstATop, //!< r = d*sa + s*(1-da)
kXor, //!< r = s*(1-da) + d*(1-sa)
kPlus, //!< r = min(s + d, 1)
kModulate, //!< r = s*d
kScreen, //!< r = s + d - s*d
kOverlay, //!< multiply or screen, depending on destination
kDarken, //!< rc = s + d - max(s*da, d*sa), ra = kSrcOver
kLighten, //!< rc = s + d - min(s*da, d*sa), ra = kSrcOver
kColorDodge, //!< brighten destination to reflect source
kColorBurn, //!< darken destination to reflect source
kHardLight, //!< multiply or screen, depending on source
kSoftLight, //!< lighten or darken, depending on source
kDifference, //!< rc = s + d - 2*(min(s*da, d*sa)), ra = kSrcOver
kExclusion, //!< rc = s + d - two(s*d), ra = kSrcOver
kMultiply, //!< r = s*(1-da) + d*(1-sa) + s*d
kHue, //!< hue of source with saturation and luminosity of destination
kSaturation, //!< saturation of source with hue and luminosity of destination
kColor, //!< hue and saturation of source with luminosity of destination
kLuminosity, //!< luminosity of source with hue and saturation of destination
kLastCoeffMode = kScreen, //!< last porter duff blend mode
kLastSeparableMode =
kMultiply, //!< last blend mode operating separately on components
kLastMode = kLuminosity, //!< last valid value
kDefaultMode = kSrcOver,
};
} // namespace flutter
#endif // FLUTTER_DISPLAY_LIST_DL_BLEND_MODE_H_
| engine/display_list/dl_blend_mode.h/0 | {
"file_path": "engine/display_list/dl_blend_mode.h",
"repo_id": "engine",
"token_count": 1130
} | 186 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_DISPLAY_LIST_DL_SAMPLING_OPTIONS_H_
#define FLUTTER_DISPLAY_LIST_DL_SAMPLING_OPTIONS_H_
namespace flutter {
enum class DlFilterMode {
kNearest, // single sample point (nearest neighbor)
kLinear, // interporate between 2x2 sample points (bilinear interpolation)
kLast = kLinear,
};
enum class DlImageSampling {
kNearestNeighbor,
kLinear,
kMipmapLinear,
kCubic,
};
} // namespace flutter
#endif // FLUTTER_DISPLAY_LIST_DL_SAMPLING_OPTIONS_H_
| engine/display_list/dl_sampling_options.h/0 | {
"file_path": "engine/display_list/dl_sampling_options.h",
"repo_id": "engine",
"token_count": 235
} | 187 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/display_list/effects/dl_mask_filter.h"
#include "flutter/display_list/testing/dl_test_equality.h"
#include "flutter/display_list/utils/dl_comparable.h"
#include "gtest/gtest.h"
namespace flutter {
namespace testing {
TEST(DisplayListMaskFilter, BlurConstructor) {
DlBlurMaskFilter filter(DlBlurStyle::kNormal, 5.0);
}
TEST(DisplayListMaskFilter, BlurShared) {
DlBlurMaskFilter filter(DlBlurStyle::kNormal, 5.0);
ASSERT_NE(filter.shared().get(), &filter);
ASSERT_EQ(*filter.shared(), filter);
}
TEST(DisplayListMaskFilter, BlurAsBlur) {
DlBlurMaskFilter filter(DlBlurStyle::kNormal, 5.0);
ASSERT_NE(filter.asBlur(), nullptr);
ASSERT_EQ(filter.asBlur(), &filter);
}
TEST(DisplayListMaskFilter, BlurContents) {
DlBlurMaskFilter filter(DlBlurStyle::kNormal, 5.0);
ASSERT_EQ(filter.style(), DlBlurStyle::kNormal);
ASSERT_EQ(filter.sigma(), 5.0);
}
TEST(DisplayListMaskFilter, BlurEquals) {
DlBlurMaskFilter filter1(DlBlurStyle::kNormal, 5.0);
DlBlurMaskFilter filter2(DlBlurStyle::kNormal, 5.0);
TestEquals(filter1, filter2);
}
TEST(DisplayListMaskFilter, BlurNotEquals) {
DlBlurMaskFilter filter1(DlBlurStyle::kNormal, 5.0);
DlBlurMaskFilter filter2(DlBlurStyle::kInner, 5.0);
DlBlurMaskFilter filter3(DlBlurStyle::kNormal, 6.0);
TestNotEquals(filter1, filter2, "Blur style differs");
TestNotEquals(filter1, filter3, "blur radius differs");
}
void testEquals(DlMaskFilter* a, DlMaskFilter* b) {
// a and b have the same nullness or values
ASSERT_TRUE(Equals(a, b));
ASSERT_FALSE(NotEquals(a, b));
ASSERT_TRUE(Equals(b, a));
ASSERT_FALSE(NotEquals(b, a));
}
void testNotEquals(DlMaskFilter* a, DlMaskFilter* b) {
// a and b do not have the same nullness or values
ASSERT_FALSE(Equals(a, b));
ASSERT_TRUE(NotEquals(a, b));
ASSERT_FALSE(Equals(b, a));
ASSERT_TRUE(NotEquals(b, a));
}
void testEquals(const std::shared_ptr<const DlMaskFilter>& a, DlMaskFilter* b) {
// a and b have the same nullness or values
ASSERT_TRUE(Equals(a, b));
ASSERT_FALSE(NotEquals(a, b));
ASSERT_TRUE(Equals(b, a));
ASSERT_FALSE(NotEquals(b, a));
}
void testNotEquals(const std::shared_ptr<const DlMaskFilter>& a,
DlMaskFilter* b) {
// a and b do not have the same nullness or values
ASSERT_FALSE(Equals(a, b));
ASSERT_TRUE(NotEquals(a, b));
ASSERT_FALSE(Equals(b, a));
ASSERT_TRUE(NotEquals(b, a));
}
void testEquals(const std::shared_ptr<const DlMaskFilter>& a,
const std::shared_ptr<const DlMaskFilter>& b) {
// a and b have the same nullness or values
ASSERT_TRUE(Equals(a, b));
ASSERT_FALSE(NotEquals(a, b));
ASSERT_TRUE(Equals(b, a));
ASSERT_FALSE(NotEquals(b, a));
}
void testNotEquals(const std::shared_ptr<const DlMaskFilter>& a,
const std::shared_ptr<const DlMaskFilter>& b) {
// a and b do not have the same nullness or values
ASSERT_FALSE(Equals(a, b));
ASSERT_TRUE(NotEquals(a, b));
ASSERT_FALSE(Equals(b, a));
ASSERT_TRUE(NotEquals(b, a));
}
TEST(DisplayListMaskFilter, ComparableTemplates) {
DlBlurMaskFilter filter1a(DlBlurStyle::kNormal, 3.0);
DlBlurMaskFilter filter1b(DlBlurStyle::kNormal, 3.0);
DlBlurMaskFilter filter2(DlBlurStyle::kNormal, 5.0);
std::shared_ptr<DlMaskFilter> shared_null;
// null to null
testEquals(nullptr, nullptr);
testEquals(shared_null, nullptr);
testEquals(shared_null, shared_null);
// ptr to null
testNotEquals(&filter1a, nullptr);
testNotEquals(&filter1b, nullptr);
testNotEquals(&filter2, nullptr);
// shared_ptr to null and shared_null to ptr
testNotEquals(filter1a.shared(), nullptr);
testNotEquals(filter1b.shared(), nullptr);
testNotEquals(filter2.shared(), nullptr);
testNotEquals(shared_null, &filter1a);
testNotEquals(shared_null, &filter1b);
testNotEquals(shared_null, &filter2);
// ptr to ptr
testEquals(&filter1a, &filter1a);
testEquals(&filter1a, &filter1b);
testEquals(&filter1b, &filter1b);
testEquals(&filter2, &filter2);
testNotEquals(&filter1a, &filter2);
// shared_ptr to ptr
testEquals(filter1a.shared(), &filter1a);
testEquals(filter1a.shared(), &filter1b);
testEquals(filter1b.shared(), &filter1b);
testEquals(filter2.shared(), &filter2);
testNotEquals(filter1a.shared(), &filter2);
testNotEquals(filter1b.shared(), &filter2);
testNotEquals(filter2.shared(), &filter1a);
testNotEquals(filter2.shared(), &filter1b);
// shared_ptr to shared_ptr
testEquals(filter1a.shared(), filter1a.shared());
testEquals(filter1a.shared(), filter1b.shared());
testEquals(filter1b.shared(), filter1b.shared());
testEquals(filter2.shared(), filter2.shared());
testNotEquals(filter1a.shared(), filter2.shared());
testNotEquals(filter1b.shared(), filter2.shared());
testNotEquals(filter2.shared(), filter1a.shared());
testNotEquals(filter2.shared(), filter1b.shared());
}
} // namespace testing
} // namespace flutter
| engine/display_list/effects/dl_mask_filter_unittests.cc/0 | {
"file_path": "engine/display_list/effects/dl_mask_filter_unittests.cc",
"repo_id": "engine",
"token_count": 2008
} | 188 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/display_list/skia/dl_sk_canvas.h"
#include "flutter/display_list/skia/dl_sk_conversions.h"
#include "flutter/display_list/skia/dl_sk_dispatcher.h"
#include "flutter/fml/trace_event.h"
#include "third_party/skia/include/core/SkColorFilter.h"
#include "third_party/skia/include/gpu/GrDirectContext.h"
#include "third_party/skia/include/gpu/GrRecordingContext.h"
namespace flutter {
class SkOptionalPaint {
public:
// SkOptionalPaint is only valid for ops that do not use the ColorSource
explicit SkOptionalPaint(const DlPaint* dl_paint) {
if (dl_paint && !dl_paint->isDefault()) {
sk_paint_ = ToNonShaderSk(*dl_paint);
ptr_ = &sk_paint_;
} else {
ptr_ = nullptr;
}
}
SkPaint* operator()() { return ptr_; }
private:
SkPaint sk_paint_;
SkPaint* ptr_;
};
void DlSkCanvasAdapter::set_canvas(SkCanvas* canvas) {
delegate_ = canvas;
}
SkISize DlSkCanvasAdapter::GetBaseLayerSize() const {
return delegate_->getBaseLayerSize();
}
SkImageInfo DlSkCanvasAdapter::GetImageInfo() const {
return delegate_->imageInfo();
}
void DlSkCanvasAdapter::Save() {
delegate_->save();
}
void DlSkCanvasAdapter::SaveLayer(const SkRect* bounds,
const DlPaint* paint,
const DlImageFilter* backdrop) {
sk_sp<SkImageFilter> sk_backdrop = ToSk(backdrop);
SkOptionalPaint sk_paint(paint);
TRACE_EVENT0("flutter", "Canvas::saveLayer");
delegate_->saveLayer(
SkCanvas::SaveLayerRec{bounds, sk_paint(), sk_backdrop.get(), 0});
}
void DlSkCanvasAdapter::Restore() {
delegate_->restore();
}
int DlSkCanvasAdapter::GetSaveCount() const {
return delegate_->getSaveCount();
}
void DlSkCanvasAdapter::RestoreToCount(int restore_count) {
delegate_->restoreToCount(restore_count);
}
void DlSkCanvasAdapter::Translate(SkScalar tx, SkScalar ty) {
delegate_->translate(tx, ty);
}
void DlSkCanvasAdapter::Scale(SkScalar sx, SkScalar sy) {
delegate_->scale(sx, sy);
}
void DlSkCanvasAdapter::Rotate(SkScalar degrees) {
delegate_->rotate(degrees);
}
void DlSkCanvasAdapter::Skew(SkScalar sx, SkScalar sy) {
delegate_->skew(sx, sy);
}
// clang-format off
// 2x3 2D affine subset of a 4x4 transform in row major order
void DlSkCanvasAdapter::Transform2DAffine(
SkScalar mxx, SkScalar mxy, SkScalar mxt,
SkScalar myx, SkScalar myy, SkScalar myt) {
delegate_->concat(SkMatrix::MakeAll(mxx, mxy, mxt, myx, myy, myt, 0, 0, 1));
}
// full 4x4 transform in row major order
void DlSkCanvasAdapter::TransformFullPerspective(
SkScalar mxx, SkScalar mxy, SkScalar mxz, SkScalar mxt,
SkScalar myx, SkScalar myy, SkScalar myz, SkScalar myt,
SkScalar mzx, SkScalar mzy, SkScalar mzz, SkScalar mzt,
SkScalar mwx, SkScalar mwy, SkScalar mwz, SkScalar mwt) {
delegate_->concat(SkM44(mxx, mxy, mxz, mxt,
myx, myy, myz, myt,
mzx, mzy, mzz, mzt,
mwx, mwy, mwz, mwt));
}
// clang-format on
void DlSkCanvasAdapter::TransformReset() {
delegate_->resetMatrix();
}
void DlSkCanvasAdapter::Transform(const SkMatrix* matrix) {
delegate_->concat(*matrix);
}
void DlSkCanvasAdapter::Transform(const SkM44* matrix44) {
delegate_->concat(*matrix44);
}
void DlSkCanvasAdapter::SetTransform(const SkMatrix* matrix) {
delegate_->setMatrix(*matrix);
}
void DlSkCanvasAdapter::SetTransform(const SkM44* matrix44) {
delegate_->setMatrix(*matrix44);
}
/// Returns the 4x4 full perspective transform representing all transform
/// operations executed so far in this DisplayList within the enclosing
/// save stack.
SkM44 DlSkCanvasAdapter::GetTransformFullPerspective() const {
return delegate_->getLocalToDevice();
}
/// Returns the 3x3 partial perspective transform representing all transform
/// operations executed so far in this DisplayList within the enclosing
/// save stack.
SkMatrix DlSkCanvasAdapter::GetTransform() const {
return delegate_->getTotalMatrix();
}
void DlSkCanvasAdapter::ClipRect(const SkRect& rect,
ClipOp clip_op,
bool is_aa) {
delegate_->clipRect(rect, ToSk(clip_op), is_aa);
}
void DlSkCanvasAdapter::ClipRRect(const SkRRect& rrect,
ClipOp clip_op,
bool is_aa) {
delegate_->clipRRect(rrect, ToSk(clip_op), is_aa);
}
void DlSkCanvasAdapter::ClipPath(const SkPath& path,
ClipOp clip_op,
bool is_aa) {
delegate_->clipPath(path, ToSk(clip_op), is_aa);
}
/// Conservative estimate of the bounds of all outstanding clip operations
/// measured in the coordinate space within which this DisplayList will
/// be rendered.
SkRect DlSkCanvasAdapter::GetDestinationClipBounds() const {
return SkRect::Make(delegate_->getDeviceClipBounds());
}
/// Conservative estimate of the bounds of all outstanding clip operations
/// transformed into the local coordinate space in which currently
/// recorded rendering operations are interpreted.
SkRect DlSkCanvasAdapter::GetLocalClipBounds() const {
return delegate_->getLocalClipBounds();
}
/// Return true iff the supplied bounds are easily shown to be outside
/// of the current clip bounds. This method may conservatively return
/// false if it cannot make the determination.
bool DlSkCanvasAdapter::QuickReject(const SkRect& bounds) const {
return delegate_->quickReject(bounds);
}
void DlSkCanvasAdapter::DrawPaint(const DlPaint& paint) {
delegate_->drawPaint(ToSk(paint));
}
void DlSkCanvasAdapter::DrawColor(DlColor color, DlBlendMode mode) {
delegate_->drawColor(ToSk(color), ToSk(mode));
}
void DlSkCanvasAdapter::DrawLine(const SkPoint& p0,
const SkPoint& p1,
const DlPaint& paint) {
delegate_->drawLine(p0, p1, ToStrokedSk(paint));
}
void DlSkCanvasAdapter::DrawRect(const SkRect& rect, const DlPaint& paint) {
delegate_->drawRect(rect, ToSk(paint));
}
void DlSkCanvasAdapter::DrawOval(const SkRect& bounds, const DlPaint& paint) {
delegate_->drawOval(bounds, ToSk(paint));
}
void DlSkCanvasAdapter::DrawCircle(const SkPoint& center,
SkScalar radius,
const DlPaint& paint) {
delegate_->drawCircle(center, radius, ToSk(paint));
}
void DlSkCanvasAdapter::DrawRRect(const SkRRect& rrect, const DlPaint& paint) {
delegate_->drawRRect(rrect, ToSk(paint));
}
void DlSkCanvasAdapter::DrawDRRect(const SkRRect& outer,
const SkRRect& inner,
const DlPaint& paint) {
delegate_->drawDRRect(outer, inner, ToSk(paint));
}
void DlSkCanvasAdapter::DrawPath(const SkPath& path, const DlPaint& paint) {
delegate_->drawPath(path, ToSk(paint));
}
void DlSkCanvasAdapter::DrawArc(const SkRect& bounds,
SkScalar start,
SkScalar sweep,
bool useCenter,
const DlPaint& paint) {
delegate_->drawArc(bounds, start, sweep, useCenter, ToSk(paint));
}
void DlSkCanvasAdapter::DrawPoints(PointMode mode,
uint32_t count,
const SkPoint pts[],
const DlPaint& paint) {
delegate_->drawPoints(ToSk(mode), count, pts, ToStrokedSk(paint));
}
void DlSkCanvasAdapter::DrawVertices(const DlVertices* vertices,
DlBlendMode mode,
const DlPaint& paint) {
delegate_->drawVertices(ToSk(vertices), ToSk(mode), ToSk(paint));
}
void DlSkCanvasAdapter::DrawImage(const sk_sp<DlImage>& image,
const SkPoint point,
DlImageSampling sampling,
const DlPaint* paint) {
SkOptionalPaint sk_paint(paint);
sk_sp<SkImage> sk_image = image->skia_image();
delegate_->drawImage(sk_image.get(), point.fX, point.fY, ToSk(sampling),
sk_paint());
}
void DlSkCanvasAdapter::DrawImageRect(const sk_sp<DlImage>& image,
const SkRect& src,
const SkRect& dst,
DlImageSampling sampling,
const DlPaint* paint,
SrcRectConstraint constraint) {
SkOptionalPaint sk_paint(paint);
sk_sp<SkImage> sk_image = image->skia_image();
delegate_->drawImageRect(sk_image.get(), src, dst, ToSk(sampling), sk_paint(),
ToSk(constraint));
}
void DlSkCanvasAdapter::DrawImageNine(const sk_sp<DlImage>& image,
const SkIRect& center,
const SkRect& dst,
DlFilterMode filter,
const DlPaint* paint) {
SkOptionalPaint sk_paint(paint);
sk_sp<SkImage> sk_image = image->skia_image();
delegate_->drawImageNine(sk_image.get(), center, dst, ToSk(filter),
sk_paint());
}
void DlSkCanvasAdapter::DrawAtlas(const sk_sp<DlImage>& atlas,
const SkRSXform xform[],
const SkRect tex[],
const DlColor colors[],
int count,
DlBlendMode mode,
DlImageSampling sampling,
const SkRect* cullRect,
const DlPaint* paint) {
SkOptionalPaint sk_paint(paint);
sk_sp<SkImage> sk_image = atlas->skia_image();
const SkColor* sk_colors = reinterpret_cast<const SkColor*>(colors);
delegate_->drawAtlas(sk_image.get(), xform, tex, sk_colors, count, ToSk(mode),
ToSk(sampling), cullRect, sk_paint());
}
void DlSkCanvasAdapter::DrawDisplayList(const sk_sp<DisplayList> display_list,
SkScalar opacity) {
const int restore_count = delegate_->getSaveCount();
// Figure out whether we can apply the opacity during dispatch or
// if we need a saveLayer.
if (opacity < SK_Scalar1 && !display_list->can_apply_group_opacity()) {
TRACE_EVENT0("flutter", "Canvas::saveLayer");
delegate_->saveLayerAlphaf(&display_list->bounds(), opacity);
opacity = SK_Scalar1;
} else {
delegate_->save();
}
DlSkCanvasDispatcher dispatcher(delegate_, opacity);
if (display_list->has_rtree()) {
display_list->Dispatch(dispatcher, delegate_->getLocalClipBounds());
} else {
display_list->Dispatch(dispatcher);
}
delegate_->restoreToCount(restore_count);
}
void DlSkCanvasAdapter::DrawTextBlob(const sk_sp<SkTextBlob>& blob,
SkScalar x,
SkScalar y,
const DlPaint& paint) {
delegate_->drawTextBlob(blob, x, y, ToSk(paint));
}
void DlSkCanvasAdapter::DrawTextFrame(
const std::shared_ptr<impeller::TextFrame>& text_frame,
SkScalar x,
SkScalar y,
const DlPaint& paint) {
FML_CHECK(false);
}
void DlSkCanvasAdapter::DrawShadow(const SkPath& path,
const DlColor color,
const SkScalar elevation,
bool transparent_occluder,
SkScalar dpr) {
DlSkCanvasDispatcher::DrawShadow(delegate_, path, color, elevation,
transparent_occluder, dpr);
}
void DlSkCanvasAdapter::Flush() {
auto dContext = GrAsDirectContext(delegate_->recordingContext());
if (dContext) {
dContext->flushAndSubmit();
}
}
} // namespace flutter
| engine/display_list/skia/dl_sk_canvas.cc/0 | {
"file_path": "engine/display_list/skia/dl_sk_canvas.cc",
"repo_id": "engine",
"token_count": 5695
} | 189 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/display_list/testing/dl_test_surface_gl.h"
#include "third_party/skia/include/core/SkCanvas.h"
#include "third_party/skia/include/core/SkSurface.h"
#include "third_party/skia/include/gpu/ganesh/SkSurfaceGanesh.h"
namespace flutter {
namespace testing {
using PixelFormat = DlSurfaceProvider::PixelFormat;
bool DlOpenGLSurfaceProvider::InitializeSurface(size_t width,
size_t height,
PixelFormat format) {
gl_surface_ = std::make_unique<TestGLSurface>(SkISize::Make(width, height));
gl_surface_->MakeCurrent();
primary_ = MakeOffscreenSurface(width, height, format);
return true;
}
std::shared_ptr<DlSurfaceInstance> DlOpenGLSurfaceProvider::GetPrimarySurface()
const {
if (!gl_surface_->MakeCurrent()) {
return nullptr;
}
return primary_;
}
std::shared_ptr<DlSurfaceInstance>
DlOpenGLSurfaceProvider::MakeOffscreenSurface(size_t width,
size_t height,
PixelFormat format) const {
auto offscreen_surface = SkSurfaces::RenderTarget(
(GrRecordingContext*)gl_surface_->GetGrContext().get(),
skgpu::Budgeted::kNo, MakeInfo(format, width, height), 1,
kTopLeft_GrSurfaceOrigin, nullptr, false);
offscreen_surface->getCanvas()->clear(SK_ColorTRANSPARENT);
return std::make_shared<DlSurfaceInstanceBase>(offscreen_surface);
}
} // namespace testing
} // namespace flutter
| engine/display_list/testing/dl_test_surface_gl.cc/0 | {
"file_path": "engine/display_list/testing/dl_test_surface_gl.cc",
"repo_id": "engine",
"token_count": 702
} | 190 |
# Doxyfile 1.9.4
# This file is a template for the Doxyfile used to generate Flutter
# documentation for the Engine code using Doxygen. Fields with
# @@FIELD_NAME@@ as the value will be substituted by the
# tools/gen_docs.sh script to contain the appropriate values for a
# specific documentation section configured in the script.
# This file describes the settings to be used by the documentation system
# doxygen (www.doxygen.org) for a project.
#
# All text after a double hash (##) is considered a comment and is placed in
# front of the TAG it is preceding.
#
# All text after a single hash (#) is considered a comment and will be ignored.
# The format is:
# TAG = value [value, ...]
# For lists, items can also be appended using:
# TAG += value [value, ...]
# Values that contain spaces should be placed between quotes (\" \").
#
# Note:
#
# Use doxygen to compare the used configuration file with the template
# configuration file:
# doxygen -x [configFile]
# Use doxygen to compare the used configuration file with the template
# configuration file without replacing the environment variables or CMake type
# replacement variables:
# doxygen -x_noenv [configFile]
#---------------------------------------------------------------------------
# Project related configuration options
#---------------------------------------------------------------------------
# This tag specifies the encoding used for all characters in the configuration
# file that follow. The default is UTF-8 which is also the encoding used for all
# text before the first occurrence of this tag. Doxygen uses libiconv (or the
# iconv built into libc) for the transcoding. See
# https://www.gnu.org/software/libiconv/ for the list of possible encodings.
# The default value is: UTF-8.
DOXYFILE_ENCODING = UTF-8
# The PROJECT_NAME tag is a single word (or a sequence of words surrounded by
# double-quotes, unless you are using Doxywizard) that should identify the
# project for which the documentation is generated. This name is used in the
# title of most generated pages and in a few other places.
# The default value is: My Project.
PROJECT_NAME = "@@PROJECT_NAME@@"
# The PROJECT_NUMBER tag can be used to enter a project or revision number. This
# could be handy for archiving the generated documentation or if some version
# control system is used.
PROJECT_NUMBER =
# Using the PROJECT_BRIEF tag one can provide an optional one line description
# for a project that appears at the top of each page and should give viewer a
# quick idea about the purpose of the project. Keep the description short.
PROJECT_BRIEF =
# With the PROJECT_LOGO tag one can specify a logo or an icon that is included
# in the documentation. The maximum height of the logo should not exceed 55
# pixels and the maximum width should not exceed 200 pixels. Doxygen will copy
# the logo to the output directory.
PROJECT_LOGO = ./docs/flutter_logo.png
# The OUTPUT_DIRECTORY tag is used to specify the (relative or absolute) path
# into which the generated documentation will be written. If a relative path is
# entered, it will be relative to the location where doxygen was started. If
# left blank the current directory will be used.
OUTPUT_DIRECTORY = "@@OUTPUT_DIRECTORY@@"
# If the CREATE_SUBDIRS tag is set to YES then doxygen will create up to 4096
# sub-directories (in 2 levels) under the output directory of each output format
# and will distribute the generated files over these directories. Enabling this
# option can be useful when feeding doxygen a huge amount of source files, where
# putting all generated files in the same directory would otherwise causes
# performance problems for the file system. Adapt CREATE_SUBDIRS_LEVEL to
# control the number of sub-directories.
# The default value is: NO.
# For Flutter, this should be NO, so that URLs remain stable across versions.
CREATE_SUBDIRS = NO
# Controls the number of sub-directories that will be created when
# CREATE_SUBDIRS tag is set to YES. Level 0 represents 16 directories, and every
# level increment doubles the number of directories, resulting in 4096
# directories at level 8 which is the default and also the maximum value. The
# sub-directories are organized in 2 levels, the first level always has a fixed
# number of 16 directories.
# Minimum value: 0, maximum value: 8, default value: 8.
# This tag requires that the tag CREATE_SUBDIRS is set to YES.
CREATE_SUBDIRS_LEVEL = 8
# If the ALLOW_UNICODE_NAMES tag is set to YES, doxygen will allow non-ASCII
# characters to appear in the names of generated files. If set to NO, non-ASCII
# characters will be escaped, for example _xE3_x81_x84 will be used for Unicode
# U+3044.
# The default value is: NO.
ALLOW_UNICODE_NAMES = NO
# The OUTPUT_LANGUAGE tag is used to specify the language in which all
# documentation generated by doxygen is written. Doxygen will use this
# information to generate all constant output in the proper language.
# Possible values are: Afrikaans, Arabic, Armenian, Brazilian, Bulgarian,
# Catalan, Chinese, Chinese-Traditional, Croatian, Czech, Danish, Dutch, English
# (United States), Esperanto, Farsi (Persian), Finnish, French, German, Greek,
# Hindi, Hungarian, Indonesian, Italian, Japanese, Japanese-en (Japanese with
# English messages), Korean, Korean-en (Korean with English messages), Latvian,
# Lithuanian, Macedonian, Norwegian, Persian (Farsi), Polish, Portuguese,
# Romanian, Russian, Serbian, Serbian-Cyrillic, Slovak, Slovene, Spanish,
# Swedish, Turkish, Ukrainian and Vietnamese.
# The default value is: English.
OUTPUT_LANGUAGE = English
# If the BRIEF_MEMBER_DESC tag is set to YES, doxygen will include brief member
# descriptions after the members that are listed in the file and class
# documentation (similar to Javadoc). Set to NO to disable this.
# The default value is: YES.
BRIEF_MEMBER_DESC = YES
# If the REPEAT_BRIEF tag is set to YES, doxygen will prepend the brief
# description of a member or function before the detailed description
#
# Note: If both HIDE_UNDOC_MEMBERS and BRIEF_MEMBER_DESC are set to NO, the
# brief descriptions will be completely suppressed.
# The default value is: YES.
REPEAT_BRIEF = YES
# This tag implements a quasi-intelligent brief description abbreviator that is
# used to form the text in various listings. Each string in this list, if found
# as the leading text of the brief description, will be stripped from the text
# and the result, after processing the whole list, is used as the annotated
# text. Otherwise, the brief description is used as-is. If left blank, the
# following values are used ($name is automatically replaced with the name of
# the entity):The $name class, The $name widget, The $name file, is, provides,
# specifies, contains, represents, a, an and the.
ABBREVIATE_BRIEF = "The $name class" \
"The $name widget" \
"The $name file" \
is \
provides \
specifies \
contains \
represents \
a \
an \
the
# If the ALWAYS_DETAILED_SEC and REPEAT_BRIEF tags are both set to YES then
# doxygen will generate a detailed section even if there is only a brief
# description.
# The default value is: NO.
ALWAYS_DETAILED_SEC = NO
# If the INLINE_INHERITED_MEMB tag is set to YES, doxygen will show all
# inherited members of a class in the documentation of that class as if those
# members were ordinary class members. Constructors, destructors and assignment
# operators of the base classes will not be shown.
# The default value is: NO.
INLINE_INHERITED_MEMB = NO
# If the FULL_PATH_NAMES tag is set to YES, doxygen will prepend the full path
# before files name in the file list and in the header files. If set to NO the
# shortest path that makes the file name unique will be used
# The default value is: YES.
FULL_PATH_NAMES = YES
# The STRIP_FROM_PATH tag can be used to strip a user-defined part of the path.
# Stripping is only done if one of the specified strings matches the left-hand
# part of the path. The tag can be used to show relative paths in the file list.
# If left blank the directory from which doxygen is run is used as the path to
# strip.
#
# Note that you can specify absolute paths here, but also relative paths, which
# will be relative from the directory where doxygen is started.
# This tag requires that the tag FULL_PATH_NAMES is set to YES.
STRIP_FROM_PATH =
# The STRIP_FROM_INC_PATH tag can be used to strip a user-defined part of the
# path mentioned in the documentation of a class, which tells the reader which
# header file to include in order to use a class. If left blank only the name of
# the header file containing the class definition is used. Otherwise one should
# specify the list of include paths that are normally passed to the compiler
# using the -I flag.
STRIP_FROM_INC_PATH =
# If the SHORT_NAMES tag is set to YES, doxygen will generate much shorter (but
# less readable) file names. This can be useful is your file systems doesn't
# support long names like on DOS, Mac, or CD-ROM.
# The default value is: NO.
SHORT_NAMES = NO
# If the JAVADOC_AUTOBRIEF tag is set to YES then doxygen will interpret the
# first line (until the first dot) of a Javadoc-style comment as the brief
# description. If set to NO, the Javadoc-style will behave just like regular Qt-
# style comments (thus requiring an explicit @brief command for a brief
# description.)
# The default value is: NO.
JAVADOC_AUTOBRIEF = NO
# If the JAVADOC_BANNER tag is set to YES then doxygen will interpret a line
# such as
# /***************
# as being the beginning of a Javadoc-style comment "banner". If set to NO, the
# Javadoc-style will behave just like regular comments and it will not be
# interpreted by doxygen.
# The default value is: NO.
JAVADOC_BANNER = NO
# If the QT_AUTOBRIEF tag is set to YES then doxygen will interpret the first
# line (until the first dot) of a Qt-style comment as the brief description. If
# set to NO, the Qt-style will behave just like regular Qt-style comments (thus
# requiring an explicit \brief command for a brief description.)
# The default value is: NO.
QT_AUTOBRIEF = NO
# The MULTILINE_CPP_IS_BRIEF tag can be set to YES to make doxygen treat a
# multi-line C++ special comment block (i.e. a block of //! or /// comments) as
# a brief description. This used to be the default behavior. The new default is
# to treat a multi-line C++ comment block as a detailed description. Set this
# tag to YES if you prefer the old behavior instead.
#
# Note that setting this tag to YES also means that rational rose comments are
# not recognized any more.
# The default value is: NO.
MULTILINE_CPP_IS_BRIEF = NO
# By default Python docstrings are displayed as preformatted text and doxygen's
# special commands cannot be used. By setting PYTHON_DOCSTRING to NO the
# doxygen's special commands can be used and the contents of the docstring
# documentation blocks is shown as doxygen documentation.
# The default value is: YES.
PYTHON_DOCSTRING = YES
# If the INHERIT_DOCS tag is set to YES then an undocumented member inherits the
# documentation from any documented member that it re-implements.
# The default value is: YES.
INHERIT_DOCS = YES
# If the SEPARATE_MEMBER_PAGES tag is set to YES then doxygen will produce a new
# page for each member. If set to NO, the documentation of a member will be part
# of the file/class/namespace that contains it.
# The default value is: NO.
SEPARATE_MEMBER_PAGES = NO
# The TAB_SIZE tag can be used to set the number of spaces in a tab. Doxygen
# uses this value to replace tabs by spaces in code fragments.
# Minimum value: 1, maximum value: 16, default value: 4.
TAB_SIZE = 4
# This tag can be used to specify a number of aliases that act as commands in
# the documentation. An alias has the form:
# name=value
# For example adding
# "sideeffect=@par Side Effects:^^"
# will allow you to put the command \sideeffect (or @sideeffect) in the
# documentation, which will result in a user-defined paragraph with heading
# "Side Effects:". Note that you cannot put \n's in the value part of an alias
# to insert newlines (in the resulting output). You can put ^^ in the value part
# of an alias to insert a newline as if a physical newline was in the original
# file. When you need a literal { or } or , in the value part of an alias you
# have to escape them by means of a backslash (\), this can lead to conflicts
# with the commands \{ and \} for these it is advised to use the version @{ and
# @} or use a double escape (\\{ and \\})
ALIASES =
# Set the OPTIMIZE_OUTPUT_FOR_C tag to YES if your project consists of C sources
# only. Doxygen will then generate output that is more tailored for C. For
# instance, some of the names that are used will be different. The list of all
# members will be omitted, etc.
# The default value is: NO.
OPTIMIZE_OUTPUT_FOR_C = NO
# Set the OPTIMIZE_OUTPUT_JAVA tag to YES if your project consists of Java or
# Python sources only. Doxygen will then generate output that is more tailored
# for that language. For instance, namespaces will be presented as packages,
# qualified scopes will look different, etc.
# The default value is: NO.
OPTIMIZE_OUTPUT_JAVA = NO
# Set the OPTIMIZE_FOR_FORTRAN tag to YES if your project consists of Fortran
# sources. Doxygen will then generate output that is tailored for Fortran.
# The default value is: NO.
OPTIMIZE_FOR_FORTRAN = NO
# Set the OPTIMIZE_OUTPUT_VHDL tag to YES if your project consists of VHDL
# sources. Doxygen will then generate output that is tailored for VHDL.
# The default value is: NO.
OPTIMIZE_OUTPUT_VHDL = NO
# Set the OPTIMIZE_OUTPUT_SLICE tag to YES if your project consists of Slice
# sources only. Doxygen will then generate output that is more tailored for that
# language. For instance, namespaces will be presented as modules, types will be
# separated into more groups, etc.
# The default value is: NO.
OPTIMIZE_OUTPUT_SLICE = NO
# Doxygen selects the parser to use depending on the extension of the files it
# parses. With this tag you can assign which parser to use for a given
# extension. Doxygen has a built-in mapping, but you can override or extend it
# using this tag. The format is ext=language, where ext is a file extension, and
# language is one of the parsers supported by doxygen: IDL, Java, JavaScript,
# Csharp (C#), C, C++, Lex, D, PHP, md (Markdown), Objective-C, Python, Slice,
# VHDL, Fortran (fixed format Fortran: FortranFixed, free formatted Fortran:
# FortranFree, unknown formatted Fortran: Fortran. In the later case the parser
# tries to guess whether the code is fixed or free formatted code, this is the
# default for Fortran type files). For instance to make doxygen treat .inc files
# as Fortran files (default is PHP), and .f files as C (default is Fortran),
# use: inc=Fortran f=C.
#
# Note: For files without extension you can use no_extension as a placeholder.
#
# Note that for custom extensions you also need to set FILE_PATTERNS otherwise
# the files are not read by doxygen. When specifying no_extension you should add
# * to the FILE_PATTERNS.
#
# Note see also the list of default file extension mappings.
EXTENSION_MAPPING =
# If the MARKDOWN_SUPPORT tag is enabled then doxygen pre-processes all comments
# according to the Markdown format, which allows for more readable
# documentation. See https://daringfireball.net/projects/markdown/ for details.
# The output of markdown processing is further processed by doxygen, so you can
# mix doxygen, HTML, and XML commands with Markdown formatting. Disable only in
# case of backward compatibilities issues.
# The default value is: YES.
MARKDOWN_SUPPORT = YES
# When the TOC_INCLUDE_HEADINGS tag is set to a non-zero value, all headings up
# to that level are automatically included in the table of contents, even if
# they do not have an id attribute.
# Note: This feature currently applies only to Markdown headings.
# Minimum value: 0, maximum value: 99, default value: 5.
# This tag requires that the tag MARKDOWN_SUPPORT is set to YES.
TOC_INCLUDE_HEADINGS = 0
# The MARKDOWN_ID_STYLE tag can be used to specify the algorithm used to
# generate identifiers for the Markdown headings. Note: Every identifier is
# unique.
# Possible values are: DOXYGEN Use a fixed 'autotoc_md' string followed by a
# sequence number starting at 0. and GITHUB Use the lower case version of title
# with any whitespace replaced by '-' and punctations characters removed..
# The default value is: DOXYGEN.
# This tag requires that the tag MARKDOWN_SUPPORT is set to YES.
MARKDOWN_ID_STYLE = DOXYGEN
# When enabled doxygen tries to link words that correspond to documented
# classes, or namespaces to their corresponding documentation. Such a link can
# be prevented in individual cases by putting a % sign in front of the word or
# globally by setting AUTOLINK_SUPPORT to NO.
# The default value is: YES.
AUTOLINK_SUPPORT = YES
# If you use STL classes (i.e. std::string, std::vector, etc.) but do not want
# to include (a tag file for) the STL sources as input, then you should set this
# tag to YES in order to let doxygen match functions declarations and
# definitions whose arguments contain STL classes (e.g. func(std::string);
# versus func(std::string) {}). This also make the inheritance and collaboration
# diagrams that involve STL classes more complete and accurate.
# The default value is: NO.
BUILTIN_STL_SUPPORT = NO
# If you use Microsoft's C++/CLI language, you should set this option to YES to
# enable parsing support.
# The default value is: NO.
CPP_CLI_SUPPORT = NO
# Set the SIP_SUPPORT tag to YES if your project consists of sip (see:
# https://www.riverbankcomputing.com/software/sip/intro) sources only. Doxygen
# will parse them like normal C++ but will assume all classes use public instead
# of private inheritance when no explicit protection keyword is present.
# The default value is: NO.
SIP_SUPPORT = NO
# For Microsoft's IDL there are propget and propput attributes to indicate
# getter and setter methods for a property. Setting this option to YES will make
# doxygen to replace the get and set methods by a property in the documentation.
# This will only work if the methods are indeed getting or setting a simple
# type. If this is not the case, or you want to show the methods anyway, you
# should set this option to NO.
# The default value is: YES.
IDL_PROPERTY_SUPPORT = YES
# If member grouping is used in the documentation and the DISTRIBUTE_GROUP_DOC
# tag is set to YES then doxygen will reuse the documentation of the first
# member in the group (if any) for the other members of the group. By default
# all members of a group must be documented explicitly.
# The default value is: NO.
DISTRIBUTE_GROUP_DOC = NO
# If one adds a struct or class to a group and this option is enabled, then also
# any nested class or struct is added to the same group. By default this option
# is disabled and one has to add nested compounds explicitly via \ingroup.
# The default value is: NO.
GROUP_NESTED_COMPOUNDS = NO
# Set the SUBGROUPING tag to YES to allow class member groups of the same type
# (for instance a group of public functions) to be put as a subgroup of that
# type (e.g. under the Public Functions section). Set it to NO to prevent
# subgrouping. Alternatively, this can be done per class using the
# \nosubgrouping command.
# The default value is: YES.
SUBGROUPING = YES
# When the INLINE_GROUPED_CLASSES tag is set to YES, classes, structs and unions
# are shown inside the group in which they are included (e.g. using \ingroup)
# instead of on a separate page (for HTML and Man pages) or section (for LaTeX
# and RTF).
#
# Note that this feature does not work in combination with
# SEPARATE_MEMBER_PAGES.
# The default value is: NO.
INLINE_GROUPED_CLASSES = NO
# When the INLINE_SIMPLE_STRUCTS tag is set to YES, structs, classes, and unions
# with only public data fields or simple typedef fields will be shown inline in
# the documentation of the scope in which they are defined (i.e. file,
# namespace, or group documentation), provided this scope is documented. If set
# to NO, structs, classes, and unions are shown on a separate page (for HTML and
# Man pages) or section (for LaTeX and RTF).
# The default value is: NO.
INLINE_SIMPLE_STRUCTS = NO
# When TYPEDEF_HIDES_STRUCT tag is enabled, a typedef of a struct, union, or
# enum is documented as struct, union, or enum with the name of the typedef. So
# typedef struct TypeS {} TypeT, will appear in the documentation as a struct
# with name TypeT. When disabled the typedef will appear as a member of a file,
# namespace, or class. And the struct will be named TypeS. This can typically be
# useful for C code in case the coding convention dictates that all compound
# types are typedef'ed and only the typedef is referenced, never the tag name.
# The default value is: NO.
TYPEDEF_HIDES_STRUCT = NO
# The size of the symbol lookup cache can be set using LOOKUP_CACHE_SIZE. This
# cache is used to resolve symbols given their name and scope. Since this can be
# an expensive process and often the same symbol appears multiple times in the
# code, doxygen keeps a cache of pre-resolved symbols. If the cache is too small
# doxygen will become slower. If the cache is too large, memory is wasted. The
# cache size is given by this formula: 2^(16+LOOKUP_CACHE_SIZE). The valid range
# is 0..9, the default is 0, corresponding to a cache size of 2^16=65536
# symbols. At the end of a run doxygen will report the cache usage and suggest
# the optimal cache size from a speed point of view.
# Minimum value: 0, maximum value: 9, default value: 0.
LOOKUP_CACHE_SIZE = 0
# The NUM_PROC_THREADS specifies the number of threads doxygen is allowed to use
# during processing. When set to 0 doxygen will based this on the number of
# cores available in the system. You can set it explicitly to a value larger
# than 0 to get more control over the balance between CPU load and processing
# speed. At this moment only the input processing can be done using multiple
# threads. Since this is still an experimental feature the default is set to 1,
# which effectively disables parallel processing. Please report any issues you
# encounter. Generating dot graphs in parallel is controlled by the
# DOT_NUM_THREADS setting.
# Minimum value: 0, maximum value: 32, default value: 1.
NUM_PROC_THREADS = 1
# If the TIMESTAMP tag is set different from NO then each generated page will
# contain the date or date and time when the page was generated. Setting this to
# NO can help when comparing the output of multiple runs.
# Possible values are: YES, NO, DATETIME and DATE.
# The default value is: NO.
TIMESTAMP = YES
#---------------------------------------------------------------------------
# Build related configuration options
#---------------------------------------------------------------------------
# If the EXTRACT_ALL tag is set to YES, doxygen will assume all entities in
# documentation are documented, even if no documentation was available. Private
# class members and static file members will be hidden unless the
# EXTRACT_PRIVATE respectively EXTRACT_STATIC tags are set to YES.
# Note: This will also disable the warnings about undocumented members that are
# normally produced when WARNINGS is set to YES.
# The default value is: NO.
EXTRACT_ALL = YES
# If the EXTRACT_PRIVATE tag is set to YES, all private members of a class will
# be included in the documentation.
# The default value is: NO.
EXTRACT_PRIVATE = NO
# If the EXTRACT_PRIV_VIRTUAL tag is set to YES, documented private virtual
# methods of a class will be included in the documentation.
# The default value is: NO.
EXTRACT_PRIV_VIRTUAL = NO
# If the EXTRACT_PACKAGE tag is set to YES, all members with package or internal
# scope will be included in the documentation.
# The default value is: NO.
EXTRACT_PACKAGE = NO
# If the EXTRACT_STATIC tag is set to YES, all static members of a file will be
# included in the documentation.
# The default value is: NO.
EXTRACT_STATIC = YES
# If the EXTRACT_LOCAL_CLASSES tag is set to YES, classes (and structs) defined
# locally in source files will be included in the documentation. If set to NO,
# only classes defined in header files are included. Does not have any effect
# for Java sources.
# The default value is: YES.
EXTRACT_LOCAL_CLASSES = YES
# This flag is only useful for Objective-C code. If set to YES, local methods,
# which are defined in the implementation section but not in the interface are
# included in the documentation. If set to NO, only methods in the interface are
# included.
# The default value is: NO.
EXTRACT_LOCAL_METHODS = NO
# If this flag is set to YES, the members of anonymous namespaces will be
# extracted and appear in the documentation as a namespace called
# 'anonymous_namespace{file}', where file will be replaced with the base name of
# the file that contains the anonymous namespace. By default anonymous namespace
# are hidden.
# The default value is: NO.
EXTRACT_ANON_NSPACES = NO
# If this flag is set to YES, the name of an unnamed parameter in a declaration
# will be determined by the corresponding definition. By default unnamed
# parameters remain unnamed in the output.
# The default value is: YES.
RESOLVE_UNNAMED_PARAMS = YES
# If the HIDE_UNDOC_MEMBERS tag is set to YES, doxygen will hide all
# undocumented members inside documented classes or files. If set to NO these
# members will be included in the various overviews, but no documentation
# section is generated. This option has no effect if EXTRACT_ALL is enabled.
# The default value is: NO.
HIDE_UNDOC_MEMBERS = NO
# If the HIDE_UNDOC_CLASSES tag is set to YES, doxygen will hide all
# undocumented classes that are normally visible in the class hierarchy. If set
# to NO, these classes will be included in the various overviews. This option
# will also hide undocumented C++ concepts if enabled. This option has no effect
# if EXTRACT_ALL is enabled.
# The default value is: NO.
HIDE_UNDOC_CLASSES = NO
# If the HIDE_FRIEND_COMPOUNDS tag is set to YES, doxygen will hide all friend
# declarations. If set to NO, these declarations will be included in the
# documentation.
# The default value is: NO.
HIDE_FRIEND_COMPOUNDS = NO
# If the HIDE_IN_BODY_DOCS tag is set to YES, doxygen will hide any
# documentation blocks found inside the body of a function. If set to NO, these
# blocks will be appended to the function's detailed documentation block.
# The default value is: NO.
HIDE_IN_BODY_DOCS = NO
# The INTERNAL_DOCS tag determines if documentation that is typed after a
# \internal command is included. If the tag is set to NO then the documentation
# will be excluded. Set it to YES to include the internal documentation.
# The default value is: NO.
INTERNAL_DOCS = NO
# With the correct setting of option CASE_SENSE_NAMES doxygen will better be
# able to match the capabilities of the underlying filesystem. In case the
# filesystem is case sensitive (i.e. it supports files in the same directory
# whose names only differ in casing), the option must be set to YES to properly
# deal with such files in case they appear in the input. For filesystems that
# are not case sensitive the option should be set to NO to properly deal with
# output files written for symbols that only differ in casing, such as for two
# classes, one named CLASS and the other named Class, and to also support
# references to files without having to specify the exact matching casing. On
# Windows (including Cygwin) and MacOS, users should typically set this option
# to NO, whereas on Linux or other Unix flavors it should typically be set to
# YES.
# Possible values are: SYSTEM, NO and YES.
# The default value is: SYSTEM.
CASE_SENSE_NAMES = NO
# If the HIDE_SCOPE_NAMES tag is set to NO then doxygen will show members with
# their full class and namespace scopes in the documentation. If set to YES, the
# scope will be hidden.
# The default value is: NO.
HIDE_SCOPE_NAMES = NO
# If the HIDE_COMPOUND_REFERENCE tag is set to NO (default) then doxygen will
# append additional text to a page's title, such as Class Reference. If set to
# YES the compound reference will be hidden.
# The default value is: NO.
HIDE_COMPOUND_REFERENCE= NO
# If the SHOW_HEADERFILE tag is set to YES then the documentation for a class
# will show which file needs to be included to use the class.
# The default value is: YES.
SHOW_HEADERFILE = YES
# If the SHOW_INCLUDE_FILES tag is set to YES then doxygen will put a list of
# the files that are included by a file in the documentation of that file.
# The default value is: YES.
SHOW_INCLUDE_FILES = YES
# If the SHOW_GROUPED_MEMB_INC tag is set to YES then Doxygen will add for each
# grouped member an include statement to the documentation, telling the reader
# which file to include in order to use the member.
# The default value is: NO.
SHOW_GROUPED_MEMB_INC = NO
# If the FORCE_LOCAL_INCLUDES tag is set to YES then doxygen will list include
# files with double quotes in the documentation rather than with sharp brackets.
# The default value is: NO.
FORCE_LOCAL_INCLUDES = NO
# If the INLINE_INFO tag is set to YES then a tag [inline] is inserted in the
# documentation for inline members.
# The default value is: YES.
INLINE_INFO = YES
# If the SORT_MEMBER_DOCS tag is set to YES then doxygen will sort the
# (detailed) documentation of file and class members alphabetically by member
# name. If set to NO, the members will appear in declaration order.
# The default value is: YES.
SORT_MEMBER_DOCS = YES
# If the SORT_BRIEF_DOCS tag is set to YES then doxygen will sort the brief
# descriptions of file, namespace and class members alphabetically by member
# name. If set to NO, the members will appear in declaration order. Note that
# this will also influence the order of the classes in the class list.
# The default value is: NO.
SORT_BRIEF_DOCS = NO
# If the SORT_MEMBERS_CTORS_1ST tag is set to YES then doxygen will sort the
# (brief and detailed) documentation of class members so that constructors and
# destructors are listed first. If set to NO the constructors will appear in the
# respective orders defined by SORT_BRIEF_DOCS and SORT_MEMBER_DOCS.
# Note: If SORT_BRIEF_DOCS is set to NO this option is ignored for sorting brief
# member documentation.
# Note: If SORT_MEMBER_DOCS is set to NO this option is ignored for sorting
# detailed member documentation.
# The default value is: NO.
SORT_MEMBERS_CTORS_1ST = NO
# If the SORT_GROUP_NAMES tag is set to YES then doxygen will sort the hierarchy
# of group names into alphabetical order. If set to NO the group names will
# appear in their defined order.
# The default value is: NO.
SORT_GROUP_NAMES = NO
# If the SORT_BY_SCOPE_NAME tag is set to YES, the class list will be sorted by
# fully-qualified names, including namespaces. If set to NO, the class list will
# be sorted only by class name, not including the namespace part.
# Note: This option is not very useful if HIDE_SCOPE_NAMES is set to YES.
# Note: This option applies only to the class list, not to the alphabetical
# list.
# The default value is: NO.
SORT_BY_SCOPE_NAME = NO
# If the STRICT_PROTO_MATCHING option is enabled and doxygen fails to do proper
# type resolution of all parameters of a function it will reject a match between
# the prototype and the implementation of a member function even if there is
# only one candidate or it is obvious which candidate to choose by doing a
# simple string match. By disabling STRICT_PROTO_MATCHING doxygen will still
# accept a match between prototype and implementation in such cases.
# The default value is: NO.
STRICT_PROTO_MATCHING = NO
# The GENERATE_TODOLIST tag can be used to enable (YES) or disable (NO) the todo
# list. This list is created by putting \todo commands in the documentation.
# The default value is: YES.
GENERATE_TODOLIST = NO
# The GENERATE_TESTLIST tag can be used to enable (YES) or disable (NO) the test
# list. This list is created by putting \test commands in the documentation.
# The default value is: YES.
GENERATE_TESTLIST = NO
# The GENERATE_BUGLIST tag can be used to enable (YES) or disable (NO) the bug
# list. This list is created by putting \bug commands in the documentation.
# The default value is: YES.
GENERATE_BUGLIST = NO
# The GENERATE_DEPRECATEDLIST tag can be used to enable (YES) or disable (NO)
# the deprecated list. This list is created by putting \deprecated commands in
# the documentation.
# The default value is: YES.
GENERATE_DEPRECATEDLIST= NO
# The ENABLED_SECTIONS tag can be used to enable conditional documentation
# sections, marked by \if <section_label> ... \endif and \cond <section_label>
# ... \endcond blocks.
ENABLED_SECTIONS =
# The MAX_INITIALIZER_LINES tag determines the maximum number of lines that the
# initial value of a variable or macro / define can have for it to appear in the
# documentation. If the initializer consists of more lines than specified here
# it will be hidden. Use a value of 0 to hide initializers completely. The
# appearance of the value of individual variables and macros / defines can be
# controlled using \showinitializer or \hideinitializer command in the
# documentation regardless of this setting.
# Minimum value: 0, maximum value: 10000, default value: 30.
MAX_INITIALIZER_LINES = 30
# Set the SHOW_USED_FILES tag to NO to disable the list of files generated at
# the bottom of the documentation of classes and structs. If set to YES, the
# list will mention the files that were used to generate the documentation.
# The default value is: YES.
SHOW_USED_FILES = YES
# Set the SHOW_FILES tag to NO to disable the generation of the Files page. This
# will remove the Files entry from the Quick Index and from the Folder Tree View
# (if specified).
# The default value is: YES.
SHOW_FILES = YES
# Set the SHOW_NAMESPACES tag to NO to disable the generation of the Namespaces
# page. This will remove the Namespaces entry from the Quick Index and from the
# Folder Tree View (if specified).
# The default value is: YES.
SHOW_NAMESPACES = YES
# The FILE_VERSION_FILTER tag can be used to specify a program or script that
# doxygen should invoke to get the current version for each file (typically from
# the version control system). Doxygen will invoke the program by executing (via
# popen()) the command command input-file, where command is the value of the
# FILE_VERSION_FILTER tag, and input-file is the name of an input file provided
# by doxygen. Whatever the program writes to standard output is used as the file
# version. For an example see the documentation.
FILE_VERSION_FILTER =
# The LAYOUT_FILE tag can be used to specify a layout file which will be parsed
# by doxygen. The layout file controls the global structure of the generated
# output files in an output format independent way. To create the layout file
# that represents doxygen's defaults, run doxygen with the -l option. You can
# optionally specify a file name after the option, if omitted DoxygenLayout.xml
# will be used as the name of the layout file. See also section "Changing the
# layout of pages" for information.
#
# Note that if you run doxygen from a directory containing a file called
# DoxygenLayout.xml, doxygen will parse it automatically even if the LAYOUT_FILE
# tag is left empty.
LAYOUT_FILE =
# The CITE_BIB_FILES tag can be used to specify one or more bib files containing
# the reference definitions. This must be a list of .bib files. The .bib
# extension is automatically appended if omitted. This requires the bibtex tool
# to be installed. See also https://en.wikipedia.org/wiki/BibTeX for more info.
# For LaTeX the style of the bibliography can be controlled using
# LATEX_BIB_STYLE. To use this feature you need bibtex and perl available in the
# search path. See also \cite for info how to create references.
CITE_BIB_FILES =
#---------------------------------------------------------------------------
# Configuration options related to warning and progress messages
#---------------------------------------------------------------------------
# The QUIET tag can be used to turn on/off the messages that are generated to
# standard output by doxygen. If QUIET is set to YES this implies that the
# messages are off.
# The default value is: NO.
QUIET = NO
# The WARNINGS tag can be used to turn on/off the warning messages that are
# generated to standard error (stderr) by doxygen. If WARNINGS is set to YES
# this implies that the warnings are on.
#
# Tip: Turn warnings on while writing the documentation.
# The default value is: YES.
WARNINGS = YES
# If the WARN_IF_UNDOCUMENTED tag is set to YES then doxygen will generate
# warnings for undocumented members. If EXTRACT_ALL is set to YES then this flag
# will automatically be disabled.
# The default value is: YES.
WARN_IF_UNDOCUMENTED = YES
# If the WARN_IF_DOC_ERROR tag is set to YES, doxygen will generate warnings for
# potential errors in the documentation, such as documenting some parameters in
# a documented function twice, or documenting parameters that don't exist or
# using markup commands wrongly.
# The default value is: YES.
WARN_IF_DOC_ERROR = YES
# If WARN_IF_INCOMPLETE_DOC is set to YES, doxygen will warn about incomplete
# function parameter documentation. If set to NO, doxygen will accept that some
# parameters have no documentation without warning.
# The default value is: YES.
WARN_IF_INCOMPLETE_DOC = YES
# This WARN_NO_PARAMDOC option can be enabled to get warnings for functions that
# are documented, but have no documentation for their parameters or return
# value. If set to NO, doxygen will only warn about wrong parameter
# documentation, but not about the absence of documentation. If EXTRACT_ALL is
# set to YES then this flag will automatically be disabled. See also
# WARN_IF_INCOMPLETE_DOC
# The default value is: NO.
WARN_NO_PARAMDOC = NO
# If WARN_IF_UNDOC_ENUM_VAL option is set to YES, doxygen will warn about
# undocumented enumeration values. If set to NO, doxygen will accept
# undocumented enumeration values. If EXTRACT_ALL is set to YES then this flag
# will automatically be disabled.
# The default value is: NO.
WARN_IF_UNDOC_ENUM_VAL = NO
# If the WARN_AS_ERROR tag is set to YES then doxygen will immediately stop when
# a warning is encountered. If the WARN_AS_ERROR tag is set to FAIL_ON_WARNINGS
# then doxygen will continue running as if WARN_AS_ERROR tag is set to NO, but
# at the end of the doxygen process doxygen will return with a non-zero status.
# If the WARN_AS_ERROR tag is set to FAIL_ON_WARNINGS_PRINT then doxygen behaves
# like FAIL_ON_WARNINGS but in case no WARN_LOGFILE is defined doxygen will not
# write the warning messages in between other messages but write them at the end
# of a run, in case a WARN_LOGFILE is defined the warning messages will be
# besides being in the defined file also be shown at the end of a run, unless
# the WARN_LOGFILE is defined as - i.e. standard output (stdout) in that case
# the behavior will remain as with the setting FAIL_ON_WARNINGS.
# Possible values are: NO, YES, FAIL_ON_WARNINGS and FAIL_ON_WARNINGS_PRINT.
# The default value is: NO.
WARN_AS_ERROR = NO
# The WARN_FORMAT tag determines the format of the warning messages that doxygen
# can produce. The string should contain the $file, $line, and $text tags, which
# will be replaced by the file and line number from which the warning originated
# and the warning text. Optionally the format may contain $version, which will
# be replaced by the version of the file (if it could be obtained via
# FILE_VERSION_FILTER)
# See also: WARN_LINE_FORMAT
# The default value is: $file:$line: $text.
WARN_FORMAT = "$file:$line: $text"
# In the $text part of the WARN_FORMAT command it is possible that a reference
# to a more specific place is given. To make it easier to jump to this place
# (outside of doxygen) the user can define a custom "cut" / "paste" string.
# Example:
# WARN_LINE_FORMAT = "'vi $file +$line'"
# See also: WARN_FORMAT
# The default value is: at line $line of file $file.
WARN_LINE_FORMAT = "at line $line of file $file"
# The WARN_LOGFILE tag can be used to specify a file to which warning and error
# messages should be written. If left blank the output is written to standard
# error (stderr). In case the file specified cannot be opened for writing the
# warning and error messages are written to standard error. When as file - is
# specified the warning and error messages are written to standard output
# (stdout).
WARN_LOGFILE = "@@LOG_FILE@@"
#---------------------------------------------------------------------------
# Configuration options related to the input files
#---------------------------------------------------------------------------
# The INPUT tag is used to specify the files and/or directories that contain
# documented source files. You may enter file names like myfile.cpp or
# directories like /usr/src/myproject. Separate the files or directories with
# spaces. See also FILE_PATTERNS and EXTENSION_MAPPING
# Note: If this tag is empty the current directory is searched.
INPUT = @@INPUT_DIRECTORIES@@
# This tag can be used to specify the character encoding of the source files
# that doxygen parses. Internally doxygen uses the UTF-8 encoding. Doxygen uses
# libiconv (or the iconv built into libc) for the transcoding. See the libiconv
# documentation (see:
# https://www.gnu.org/software/libiconv/) for the list of possible encodings.
# See also: INPUT_FILE_ENCODING
# The default value is: UTF-8.
INPUT_ENCODING = UTF-8
# This tag can be used to specify the character encoding of the source files
# that doxygen parses The INPUT_FILE_ENCODING tag can be used to specify
# character encoding on a per file pattern basis. Doxygen will compare the file
# name with each pattern and apply the encoding instead of the default
# INPUT_ENCODING) if there is a match. The character encodings are a list of the
# form: pattern=encoding (like *.php=ISO-8859-1). See cfg_input_encoding
# "INPUT_ENCODING" for further information on supported encodings.
INPUT_FILE_ENCODING =
# If the value of the INPUT tag contains directories, you can use the
# FILE_PATTERNS tag to specify one or more wildcard patterns (like *.cpp and
# *.h) to filter out the source-files in the directories.
#
# Note that for custom extensions or not directly supported extensions you also
# need to set EXTENSION_MAPPING for the extension otherwise the files are not
# read by doxygen.
#
# Note the list of default checked file patterns might differ from the list of
# default file extension mappings.
#
# If left blank the following patterns are tested:*.c, *.cc, *.cxx, *.cpp,
# *.c++, *.java, *.ii, *.ixx, *.ipp, *.i++, *.inl, *.idl, *.ddl, *.odl, *.h,
# *.hh, *.hxx, *.hpp, *.h++, *.l, *.cs, *.d, *.php, *.php4, *.php5, *.phtml,
# *.inc, *.m, *.markdown, *.md, *.mm, *.dox (to be provided as doxygen C
# comment), *.py, *.pyw, *.f90, *.f95, *.f03, *.f08, *.f18, *.f, *.for, *.vhd,
# *.vhdl, *.ucf, *.qsf and *.ice.
FILE_PATTERNS = *.h \
*.c \
*.cc \
*.m \
*.mm \
*.cpp \
*.cxx \
*.hh \
*.hxx \
*.hpp \
*.c++ \
*.h++
# The RECURSIVE tag can be used to specify whether or not subdirectories should
# be searched for input files as well.
# The default value is: NO.
RECURSIVE = YES
# The EXCLUDE tag can be used to specify files and/or directories that should be
# excluded from the INPUT source files. This way you can easily exclude a
# subdirectory from a directory tree whose root is specified with the INPUT tag.
#
# Note that relative paths are relative to the directory from which doxygen is
# run.
EXCLUDE =
# The EXCLUDE_SYMLINKS tag can be used to select whether or not files or
# directories that are symbolic links (a Unix file system feature) are excluded
# from the input.
# The default value is: NO.
EXCLUDE_SYMLINKS = NO
# If the value of the INPUT tag contains directories, you can use the
# EXCLUDE_PATTERNS tag to specify one or more wildcard patterns to exclude
# certain files from those directories.
#
# Note that the wildcards are matched against the file with absolute path, so to
# exclude all test directories for example use the pattern */test/*
EXCLUDE_PATTERNS = */tests/* \
*/testing/* \
*/test/* \
*/test_utils/*
# The EXCLUDE_SYMBOLS tag can be used to specify one or more symbol names
# (namespaces, classes, functions, etc.) that should be excluded from the
# output. The symbol name can be a fully qualified name, a word, or if the
# wildcard * is used, a substring. Examples: ANamespace, AClass,
# ANamespace::AClass, ANamespace::*Test
EXCLUDE_SYMBOLS =
# The EXAMPLE_PATH tag can be used to specify one or more files or directories
# that contain example code fragments that are included (see the \include
# command).
EXAMPLE_PATH =
# If the value of the EXAMPLE_PATH tag contains directories, you can use the
# EXAMPLE_PATTERNS tag to specify one or more wildcard pattern (like *.cpp and
# *.h) to filter out the source-files in the directories. If left blank all
# files are included.
EXAMPLE_PATTERNS = *
# If the EXAMPLE_RECURSIVE tag is set to YES then subdirectories will be
# searched for input files to be used with the \include or \dontinclude commands
# irrespective of the value of the RECURSIVE tag.
# The default value is: NO.
EXAMPLE_RECURSIVE = NO
# The IMAGE_PATH tag can be used to specify one or more files or directories
# that contain images that are to be included in the documentation (see the
# \image command).
IMAGE_PATH =
# The INPUT_FILTER tag can be used to specify a program that doxygen should
# invoke to filter for each input file. Doxygen will invoke the filter program
# by executing (via popen()) the command:
#
# <filter> <input-file>
#
# where <filter> is the value of the INPUT_FILTER tag, and <input-file> is the
# name of an input file. Doxygen will then use the output that the filter
# program writes to standard output. If FILTER_PATTERNS is specified, this tag
# will be ignored.
#
# Note that the filter must not add or remove lines; it is applied before the
# code is scanned, but not when the output code is generated. If lines are added
# or removed, the anchors will not be placed correctly.
#
# Note that doxygen will use the data processed and written to standard output
# for further processing, therefore nothing else, like debug statements or used
# commands (so in case of a Windows batch file always use @echo OFF), should be
# written to standard output.
#
# Note that for custom extensions or not directly supported extensions you also
# need to set EXTENSION_MAPPING for the extension otherwise the files are not
# properly processed by doxygen.
INPUT_FILTER =
# The FILTER_PATTERNS tag can be used to specify filters on a per file pattern
# basis. Doxygen will compare the file name with each pattern and apply the
# filter if there is a match. The filters are a list of the form: pattern=filter
# (like *.cpp=my_cpp_filter). See INPUT_FILTER for further information on how
# filters are used. If the FILTER_PATTERNS tag is empty or if none of the
# patterns match the file name, INPUT_FILTER is applied.
#
# Note that for custom extensions or not directly supported extensions you also
# need to set EXTENSION_MAPPING for the extension otherwise the files are not
# properly processed by doxygen.
FILTER_PATTERNS =
# If the FILTER_SOURCE_FILES tag is set to YES, the input filter (if set using
# INPUT_FILTER) will also be used to filter the input files that are used for
# producing the source files to browse (i.e. when SOURCE_BROWSER is set to YES).
# The default value is: NO.
FILTER_SOURCE_FILES = NO
# The FILTER_SOURCE_PATTERNS tag can be used to specify source filters per file
# pattern. A pattern will override the setting for FILTER_PATTERN (if any) and
# it is also possible to disable source filtering for a specific pattern using
# *.ext= (so without naming a filter).
# This tag requires that the tag FILTER_SOURCE_FILES is set to YES.
FILTER_SOURCE_PATTERNS =
# If the USE_MDFILE_AS_MAINPAGE tag refers to the name of a markdown file that
# is part of the input, its contents will be placed on the main page
# (index.html). This can be useful if you have a project on for instance GitHub
# and want to reuse the introduction page also for the doxygen output.
USE_MDFILE_AS_MAINPAGE = ./README.md
# The Fortran standard specifies that for fixed formatted Fortran code all
# characters from position 72 are to be considered as comment. A common
# extension is to allow longer lines before the automatic comment starts. The
# setting FORTRAN_COMMENT_AFTER will also make it possible that longer lines can
# be processed before the automatic comment starts.
# Minimum value: 7, maximum value: 10000, default value: 72.
FORTRAN_COMMENT_AFTER = 72
#---------------------------------------------------------------------------
# Configuration options related to source browsing
#---------------------------------------------------------------------------
# If the SOURCE_BROWSER tag is set to YES then a list of source files will be
# generated. Documented entities will be cross-referenced with these sources.
#
# Note: To get rid of all source code in the generated output, make sure that
# also VERBATIM_HEADERS is set to NO.
# The default value is: NO.
SOURCE_BROWSER = YES
# Setting the INLINE_SOURCES tag to YES will include the body of functions,
# classes and enums directly into the documentation.
# The default value is: NO.
INLINE_SOURCES = YES
# Setting the STRIP_CODE_COMMENTS tag to YES will instruct doxygen to hide any
# special comment blocks from generated source code fragments. Normal C, C++ and
# Fortran comments will always remain visible.
# The default value is: YES.
STRIP_CODE_COMMENTS = NO
# If the REFERENCED_BY_RELATION tag is set to YES then for each documented
# entity all documented functions referencing it will be listed.
# The default value is: NO.
REFERENCED_BY_RELATION = YES
# If the REFERENCES_RELATION tag is set to YES then for each documented function
# all documented entities called/used by that function will be listed.
# The default value is: NO.
REFERENCES_RELATION = YES
# If the REFERENCES_LINK_SOURCE tag is set to YES and SOURCE_BROWSER tag is set
# to YES then the hyperlinks from functions in REFERENCES_RELATION and
# REFERENCED_BY_RELATION lists will link to the source code. Otherwise they will
# link to the documentation.
# The default value is: YES.
REFERENCES_LINK_SOURCE = YES
# If SOURCE_TOOLTIPS is enabled (the default) then hovering a hyperlink in the
# source code will show a tooltip with additional information such as prototype,
# brief description and links to the definition and documentation. Since this
# will make the HTML file larger and loading of large files a bit slower, you
# can opt to disable this feature.
# The default value is: YES.
# This tag requires that the tag SOURCE_BROWSER is set to YES.
SOURCE_TOOLTIPS = YES
# If the USE_HTAGS tag is set to YES then the references to source code will
# point to the HTML generated by the htags(1) tool instead of doxygen built-in
# source browser. The htags tool is part of GNU's global source tagging system
# (see https://www.gnu.org/software/global/global.html). You will need version
# 4.8.6 or higher.
#
# To use it do the following:
# - Install the latest version of global
# - Enable SOURCE_BROWSER and USE_HTAGS in the configuration file
# - Make sure the INPUT points to the root of the source tree
# - Run doxygen as normal
#
# Doxygen will invoke htags (and that will in turn invoke gtags), so these
# tools must be available from the command line (i.e. in the search path).
#
# The result: instead of the source browser generated by doxygen, the links to
# source code will now point to the output of htags.
# The default value is: NO.
# This tag requires that the tag SOURCE_BROWSER is set to YES.
USE_HTAGS = NO
# If the VERBATIM_HEADERS tag is set the YES then doxygen will generate a
# verbatim copy of the header file for each class for which an include is
# specified. Set to NO to disable this.
# See also: Section \class.
# The default value is: YES.
VERBATIM_HEADERS = YES
#---------------------------------------------------------------------------
# Configuration options related to the alphabetical class index
#---------------------------------------------------------------------------
# If the ALPHABETICAL_INDEX tag is set to YES, an alphabetical index of all
# compounds will be generated. Enable this if the project contains a lot of
# classes, structs, unions or interfaces.
# The default value is: YES.
ALPHABETICAL_INDEX = YES
# The IGNORE_PREFIX tag can be used to specify a prefix (or a list of prefixes)
# that should be ignored while generating the index headers. The IGNORE_PREFIX
# tag works for classes, function and member names. The entity will be placed in
# the alphabetical list under the first letter of the entity name that remains
# after removing the prefix.
# This tag requires that the tag ALPHABETICAL_INDEX is set to YES.
IGNORE_PREFIX =
#---------------------------------------------------------------------------
# Configuration options related to the HTML output
#---------------------------------------------------------------------------
# If the GENERATE_HTML tag is set to YES, doxygen will generate HTML output
# The default value is: YES.
GENERATE_HTML = YES
# The HTML_OUTPUT tag is used to specify where the HTML docs will be put. If a
# relative path is entered the value of OUTPUT_DIRECTORY will be put in front of
# it.
# The default directory is: html.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_OUTPUT = html
# The HTML_FILE_EXTENSION tag can be used to specify the file extension for each
# generated HTML page (for example: .htm, .php, .asp).
# The default value is: .html.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_FILE_EXTENSION = .html
# The HTML_HEADER tag can be used to specify a user-defined HTML header file for
# each generated HTML page. If the tag is left blank doxygen will generate a
# standard header.
#
# To get valid HTML the header file that includes any scripts and style sheets
# that doxygen needs, which is dependent on the configuration options used (e.g.
# the setting GENERATE_TREEVIEW). It is highly recommended to start with a
# default header using
# doxygen -w html new_header.html new_footer.html new_stylesheet.css
# YourConfigFile
# and then modify the file new_header.html. See also section "Doxygen usage"
# for information on how to generate the default header that doxygen normally
# uses.
# Note: The header is subject to change so you typically have to regenerate the
# default header when upgrading to a newer version of doxygen. For a description
# of the possible markers and block names see the documentation.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_HEADER =
# The HTML_FOOTER tag can be used to specify a user-defined HTML footer for each
# generated HTML page. If the tag is left blank doxygen will generate a standard
# footer. See HTML_HEADER for more information on how to generate a default
# footer and what special commands can be used inside the footer. See also
# section "Doxygen usage" for information on how to generate the default footer
# that doxygen normally uses.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_FOOTER =
# The HTML_STYLESHEET tag can be used to specify a user-defined cascading style
# sheet that is used by each HTML page. It can be used to fine-tune the look of
# the HTML output. If left blank doxygen will generate a default style sheet.
# See also section "Doxygen usage" for information on how to generate the style
# sheet that doxygen normally uses.
# Note: It is recommended to use HTML_EXTRA_STYLESHEET instead of this tag, as
# it is more robust and this tag (HTML_STYLESHEET) will in the future become
# obsolete.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_STYLESHEET =
# The HTML_EXTRA_STYLESHEET tag can be used to specify additional user-defined
# cascading style sheets that are included after the standard style sheets
# created by doxygen. Using this option one can overrule certain style aspects.
# This is preferred over using HTML_STYLESHEET since it does not replace the
# standard style sheet and is therefore more robust against future updates.
# Doxygen will copy the style sheet files to the output directory.
# Note: The order of the extra style sheet files is of importance (e.g. the last
# style sheet in the list overrules the setting of the previous ones in the
# list).
# Note: Since the styling of scrollbars can currently not be overruled in
# Webkit/Chromium, the styling will be left out of the default doxygen.css if
# one or more extra stylesheets have been specified. So if scrollbar
# customization is desired it has to be added explicitly. For an example see the
# documentation.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_EXTRA_STYLESHEET =
# The HTML_EXTRA_FILES tag can be used to specify one or more extra images or
# other source files which should be copied to the HTML output directory. Note
# that these files will be copied to the base HTML output directory. Use the
# $relpath^ marker in the HTML_HEADER and/or HTML_FOOTER files to load these
# files. In the HTML_STYLESHEET file, use the file name only. Also note that the
# files will be copied as-is; there are no commands or markers available.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_EXTRA_FILES =
# The HTML_COLORSTYLE tag can be used to specify if the generated HTML output
# should be rendered with a dark or light theme.
# Possible values are: LIGHT always generate light mode output, DARK always
# generate dark mode output, AUTO_LIGHT automatically set the mode according to
# the user preference, use light mode if no preference is set (the default),
# AUTO_DARK automatically set the mode according to the user preference, use
# dark mode if no preference is set and TOGGLE allow to user to switch between
# light and dark mode via a button.
# The default value is: AUTO_LIGHT.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_COLORSTYLE = AUTO_LIGHT
# The HTML_COLORSTYLE_HUE tag controls the color of the HTML output. Doxygen
# will adjust the colors in the style sheet and background images according to
# this color. Hue is specified as an angle on a color-wheel, see
# https://en.wikipedia.org/wiki/Hue for more information. For instance the value
# 0 represents red, 60 is yellow, 120 is green, 180 is cyan, 240 is blue, 300
# purple, and 360 is red again.
# Minimum value: 0, maximum value: 359, default value: 220.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_COLORSTYLE_HUE = 212
# The HTML_COLORSTYLE_SAT tag controls the purity (or saturation) of the colors
# in the HTML output. For a value of 0 the output will use gray-scales only. A
# value of 255 will produce the most vivid colors.
# Minimum value: 0, maximum value: 255, default value: 100.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_COLORSTYLE_SAT = 183
# The HTML_COLORSTYLE_GAMMA tag controls the gamma correction applied to the
# luminance component of the colors in the HTML output. Values below 100
# gradually make the output lighter, whereas values above 100 make the output
# darker. The value divided by 100 is the actual gamma applied, so 80 represents
# a gamma of 0.8, The value 220 represents a gamma of 2.2, and 100 does not
# change the gamma.
# Minimum value: 40, maximum value: 240, default value: 80.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_COLORSTYLE_GAMMA = 100
# If the HTML_DYNAMIC_MENUS tag is set to YES then the generated HTML
# documentation will contain a main index with vertical navigation menus that
# are dynamically created via JavaScript. If disabled, the navigation index will
# consists of multiple levels of tabs that are statically embedded in every HTML
# page. Disable this option to support browsers that do not have JavaScript,
# like the Qt help browser.
# The default value is: YES.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_DYNAMIC_MENUS = YES
# If the HTML_DYNAMIC_SECTIONS tag is set to YES then the generated HTML
# documentation will contain sections that can be hidden and shown after the
# page has loaded.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_DYNAMIC_SECTIONS = NO
# With HTML_INDEX_NUM_ENTRIES one can control the preferred number of entries
# shown in the various tree structured indices initially; the user can expand
# and collapse entries dynamically later on. Doxygen will expand the tree to
# such a level that at most the specified number of entries are visible (unless
# a fully collapsed tree already exceeds this amount). So setting the number of
# entries 1 will produce a full collapsed tree by default. 0 is a special value
# representing an infinite number of entries and will result in a full expanded
# tree by default.
# Minimum value: 0, maximum value: 9999, default value: 100.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_INDEX_NUM_ENTRIES = 100
# If the GENERATE_DOCSET tag is set to YES, additional index files will be
# generated that can be used as input for Apple's Xcode 3 integrated development
# environment (see:
# https://developer.apple.com/xcode/), introduced with OSX 10.5 (Leopard). To
# create a documentation set, doxygen will generate a Makefile in the HTML
# output directory. Running make will produce the docset in that directory and
# running make install will install the docset in
# ~/Library/Developer/Shared/Documentation/DocSets so that Xcode will find it at
# startup. See https://developer.apple.com/library/archive/featuredarticles/Doxy
# genXcode/_index.html for more information.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
GENERATE_DOCSET = YES
# This tag determines the name of the docset feed. A documentation feed provides
# an umbrella under which multiple documentation sets from a single provider
# (such as a company or product suite) can be grouped.
# The default value is: Doxygen generated docs.
# This tag requires that the tag GENERATE_DOCSET is set to YES.
DOCSET_FEEDNAME = "@@DOCSET_FEEDNAME@@"
# This tag determines the URL of the docset feed. A documentation feed provides
# an umbrella under which multiple documentation sets from a single provider
# (such as a company or product suite) can be grouped.
# This tag requires that the tag GENERATE_DOCSET is set to YES.
DOCSET_FEEDURL =
# This tag specifies a string that should uniquely identify the documentation
# set bundle. This should be a reverse domain-name style string, e.g.
# com.mycompany.MyDocSet. Doxygen will append .docset to the name.
# The default value is: org.doxygen.Project.
# This tag requires that the tag GENERATE_DOCSET is set to YES.
DOCSET_BUNDLE_ID = io.flutter.engine
# The DOCSET_PUBLISHER_ID tag specifies a string that should uniquely identify
# the documentation publisher. This should be a reverse domain-name style
# string, e.g. com.mycompany.MyDocSet.documentation.
# The default value is: org.doxygen.Publisher.
# This tag requires that the tag GENERATE_DOCSET is set to YES.
DOCSET_PUBLISHER_ID = io.flutter.engine
# The DOCSET_PUBLISHER_NAME tag identifies the documentation publisher.
# The default value is: Publisher.
# This tag requires that the tag GENERATE_DOCSET is set to YES.
DOCSET_PUBLISHER_NAME = Flutter
# If the GENERATE_HTMLHELP tag is set to YES then doxygen generates three
# additional HTML index files: index.hhp, index.hhc, and index.hhk. The
# index.hhp is a project file that can be read by Microsoft's HTML Help Workshop
# on Windows. In the beginning of 2021 Microsoft took the original page, with
# a.o. the download links, offline the HTML help workshop was already many years
# in maintenance mode). You can download the HTML help workshop from the web
# archives at Installation executable (see:
# http://web.archive.org/web/20160201063255/http://download.microsoft.com/downlo
# ad/0/A/9/0A939EF6-E31C-430F-A3DF-DFAE7960D564/htmlhelp.exe).
#
# The HTML Help Workshop contains a compiler that can convert all HTML output
# generated by doxygen into a single compiled HTML file (.chm). Compiled HTML
# files are now used as the Windows 98 help format, and will replace the old
# Windows help format (.hlp) on all Windows platforms in the future. Compressed
# HTML files also contain an index, a table of contents, and you can search for
# words in the documentation. The HTML workshop also contains a viewer for
# compressed HTML files.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
GENERATE_HTMLHELP = NO
# The CHM_FILE tag can be used to specify the file name of the resulting .chm
# file. You can add a path in front of the file if the result should not be
# written to the html output directory.
# This tag requires that the tag GENERATE_HTMLHELP is set to YES.
CHM_FILE =
# The HHC_LOCATION tag can be used to specify the location (absolute path
# including file name) of the HTML help compiler (hhc.exe). If non-empty,
# doxygen will try to run the HTML help compiler on the generated index.hhp.
# The file has to be specified with full path.
# This tag requires that the tag GENERATE_HTMLHELP is set to YES.
HHC_LOCATION =
# The GENERATE_CHI flag controls if a separate .chi index file is generated
# (YES) or that it should be included in the main .chm file (NO).
# The default value is: NO.
# This tag requires that the tag GENERATE_HTMLHELP is set to YES.
GENERATE_CHI = NO
# The CHM_INDEX_ENCODING is used to encode HtmlHelp index (hhk), content (hhc)
# and project file content.
# This tag requires that the tag GENERATE_HTMLHELP is set to YES.
CHM_INDEX_ENCODING =
# The BINARY_TOC flag controls whether a binary table of contents is generated
# (YES) or a normal table of contents (NO) in the .chm file. Furthermore it
# enables the Previous and Next buttons.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTMLHELP is set to YES.
BINARY_TOC = NO
# The TOC_EXPAND flag can be set to YES to add extra items for group members to
# the table of contents of the HTML help documentation and to the tree view.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTMLHELP is set to YES.
TOC_EXPAND = NO
# The SITEMAP_URL tag is used to specify the full URL of the place where the
# generated documentation will be placed on the server by the user during the
# deployment of the documentation. The generated sitemap is called sitemap.xml
# and placed on the directory specified by HTML_OUTPUT. In case no SITEMAP_URL
# is specified no sitemap is generated. For information about the sitemap
# protocol see https://www.sitemaps.org
# This tag requires that the tag GENERATE_HTML is set to YES.
SITEMAP_URL =
# If the GENERATE_QHP tag is set to YES and both QHP_NAMESPACE and
# QHP_VIRTUAL_FOLDER are set, an additional index file will be generated that
# can be used as input for Qt's qhelpgenerator to generate a Qt Compressed Help
# (.qch) of the generated HTML documentation.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
GENERATE_QHP = NO
# If the QHG_LOCATION tag is specified, the QCH_FILE tag can be used to specify
# the file name of the resulting .qch file. The path specified is relative to
# the HTML output folder.
# This tag requires that the tag GENERATE_QHP is set to YES.
QCH_FILE =
# The QHP_NAMESPACE tag specifies the namespace to use when generating Qt Help
# Project output. For more information please see Qt Help Project / Namespace
# (see:
# https://doc.qt.io/archives/qt-4.8/qthelpproject.html#namespace).
# The default value is: org.doxygen.Project.
# This tag requires that the tag GENERATE_QHP is set to YES.
QHP_NAMESPACE = io.flutter.engine
# The QHP_VIRTUAL_FOLDER tag specifies the namespace to use when generating Qt
# Help Project output. For more information please see Qt Help Project / Virtual
# Folders (see:
# https://doc.qt.io/archives/qt-4.8/qthelpproject.html#virtual-folders).
# The default value is: doc.
# This tag requires that the tag GENERATE_QHP is set to YES.
QHP_VIRTUAL_FOLDER = doc
# If the QHP_CUST_FILTER_NAME tag is set, it specifies the name of a custom
# filter to add. For more information please see Qt Help Project / Custom
# Filters (see:
# https://doc.qt.io/archives/qt-4.8/qthelpproject.html#custom-filters).
# This tag requires that the tag GENERATE_QHP is set to YES.
QHP_CUST_FILTER_NAME =
# The QHP_CUST_FILTER_ATTRS tag specifies the list of the attributes of the
# custom filter to add. For more information please see Qt Help Project / Custom
# Filters (see:
# https://doc.qt.io/archives/qt-4.8/qthelpproject.html#custom-filters).
# This tag requires that the tag GENERATE_QHP is set to YES.
QHP_CUST_FILTER_ATTRS =
# The QHP_SECT_FILTER_ATTRS tag specifies the list of the attributes this
# project's filter section matches. Qt Help Project / Filter Attributes (see:
# https://doc.qt.io/archives/qt-4.8/qthelpproject.html#filter-attributes).
# This tag requires that the tag GENERATE_QHP is set to YES.
QHP_SECT_FILTER_ATTRS =
# The QHG_LOCATION tag can be used to specify the location (absolute path
# including file name) of Qt's qhelpgenerator. If non-empty doxygen will try to
# run qhelpgenerator on the generated .qhp file.
# This tag requires that the tag GENERATE_QHP is set to YES.
QHG_LOCATION =
# If the GENERATE_ECLIPSEHELP tag is set to YES, additional index files will be
# generated, together with the HTML files, they form an Eclipse help plugin. To
# install this plugin and make it available under the help contents menu in
# Eclipse, the contents of the directory containing the HTML and XML files needs
# to be copied into the plugins directory of eclipse. The name of the directory
# within the plugins directory should be the same as the ECLIPSE_DOC_ID value.
# After copying Eclipse needs to be restarted before the help appears.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
GENERATE_ECLIPSEHELP = NO
# A unique identifier for the Eclipse help plugin. When installing the plugin
# the directory name containing the HTML and XML files should also have this
# name. Each documentation set should have its own identifier.
# The default value is: org.doxygen.Project.
# This tag requires that the tag GENERATE_ECLIPSEHELP is set to YES.
ECLIPSE_DOC_ID = io.flutter.engine
# If you want full control over the layout of the generated HTML pages it might
# be necessary to disable the index and replace it with your own. The
# DISABLE_INDEX tag can be used to turn on/off the condensed index (tabs) at top
# of each HTML page. A value of NO enables the index and the value YES disables
# it. Since the tabs in the index contain the same information as the navigation
# tree, you can set this option to YES if you also set GENERATE_TREEVIEW to YES.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
DISABLE_INDEX = YES
# The GENERATE_TREEVIEW tag is used to specify whether a tree-like index
# structure should be generated to display hierarchical information. If the tag
# value is set to YES, a side panel will be generated containing a tree-like
# index structure (just like the one that is generated for HTML Help). For this
# to work a browser that supports JavaScript, DHTML, CSS and frames is required
# (i.e. any modern browser). Windows users are probably better off using the
# HTML help feature. Via custom style sheets (see HTML_EXTRA_STYLESHEET) one can
# further fine tune the look of the index (see "Fine-tuning the output"). As an
# example, the default style sheet generated by doxygen has an example that
# shows how to put an image at the root of the tree instead of the PROJECT_NAME.
# Since the tree basically has the same information as the tab index, you could
# consider setting DISABLE_INDEX to YES when enabling this option.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
GENERATE_TREEVIEW = YES
# When both GENERATE_TREEVIEW and DISABLE_INDEX are set to YES, then the
# FULL_SIDEBAR option determines if the side bar is limited to only the treeview
# area (value NO) or if it should extend to the full height of the window (value
# YES). Setting this to YES gives a layout similar to
# https://docs.readthedocs.io with more room for contents, but less room for the
# project logo, title, and description. If either GENERATE_TREEVIEW or
# DISABLE_INDEX is set to NO, this option has no effect.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
FULL_SIDEBAR = NO
# The ENUM_VALUES_PER_LINE tag can be used to set the number of enum values that
# doxygen will group on one line in the generated HTML documentation.
#
# Note that a value of 0 will completely suppress the enum values from appearing
# in the overview section.
# Minimum value: 0, maximum value: 20, default value: 4.
# This tag requires that the tag GENERATE_HTML is set to YES.
ENUM_VALUES_PER_LINE = 1
# If the treeview is enabled (see GENERATE_TREEVIEW) then this tag can be used
# to set the initial width (in pixels) of the frame in which the tree is shown.
# Minimum value: 0, maximum value: 1500, default value: 250.
# This tag requires that the tag GENERATE_HTML is set to YES.
TREEVIEW_WIDTH = 250
# If the EXT_LINKS_IN_WINDOW option is set to YES, doxygen will open links to
# external symbols imported via tag files in a separate window.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
EXT_LINKS_IN_WINDOW = NO
# If the OBFUSCATE_EMAILS tag is set to YES, doxygen will obfuscate email
# addresses.
# The default value is: YES.
# This tag requires that the tag GENERATE_HTML is set to YES.
OBFUSCATE_EMAILS = YES
# If the HTML_FORMULA_FORMAT option is set to svg, doxygen will use the pdf2svg
# tool (see https://github.com/dawbarton/pdf2svg) or inkscape (see
# https://inkscape.org) to generate formulas as SVG images instead of PNGs for
# the HTML output. These images will generally look nicer at scaled resolutions.
# Possible values are: png (the default) and svg (looks nicer but requires the
# pdf2svg or inkscape tool).
# The default value is: png.
# This tag requires that the tag GENERATE_HTML is set to YES.
HTML_FORMULA_FORMAT = png
# Use this tag to change the font size of LaTeX formulas included as images in
# the HTML documentation. When you change the font size after a successful
# doxygen run you need to manually remove any form_*.png images from the HTML
# output directory to force them to be regenerated.
# Minimum value: 8, maximum value: 50, default value: 10.
# This tag requires that the tag GENERATE_HTML is set to YES.
FORMULA_FONTSIZE = 10
# The FORMULA_MACROFILE can contain LaTeX \newcommand and \renewcommand commands
# to create new LaTeX commands to be used in formulas as building blocks. See
# the section "Including formulas" for details.
FORMULA_MACROFILE =
# Enable the USE_MATHJAX option to render LaTeX formulas using MathJax (see
# https://www.mathjax.org) which uses client side JavaScript for the rendering
# instead of using pre-rendered bitmaps. Use this if you do not have LaTeX
# installed or if you want to formulas look prettier in the HTML output. When
# enabled you may also need to install MathJax separately and configure the path
# to it using the MATHJAX_RELPATH option.
# The default value is: NO.
# This tag requires that the tag GENERATE_HTML is set to YES.
USE_MATHJAX = NO
# With MATHJAX_VERSION it is possible to specify the MathJax version to be used.
# Note that the different versions of MathJax have different requirements with
# regards to the different settings, so it is possible that also other MathJax
# settings have to be changed when switching between the different MathJax
# versions.
# Possible values are: MathJax_2 and MathJax_3.
# The default value is: MathJax_2.
# This tag requires that the tag USE_MATHJAX is set to YES.
MATHJAX_VERSION = MathJax_2
# When MathJax is enabled you can set the default output format to be used for
# the MathJax output. For more details about the output format see MathJax
# version 2 (see:
# http://docs.mathjax.org/en/v2.7-latest/output.html) and MathJax version 3
# (see:
# http://docs.mathjax.org/en/latest/web/components/output.html).
# Possible values are: HTML-CSS (which is slower, but has the best
# compatibility. This is the name for Mathjax version 2, for MathJax version 3
# this will be translated into chtml), NativeMML (i.e. MathML. Only supported
# for NathJax 2. For MathJax version 3 chtml will be used instead.), chtml (This
# is the name for Mathjax version 3, for MathJax version 2 this will be
# translated into HTML-CSS) and SVG.
# The default value is: HTML-CSS.
# This tag requires that the tag USE_MATHJAX is set to YES.
MATHJAX_FORMAT = HTML-CSS
# When MathJax is enabled you need to specify the location relative to the HTML
# output directory using the MATHJAX_RELPATH option. The destination directory
# should contain the MathJax.js script. For instance, if the mathjax directory
# is located at the same level as the HTML output directory, then
# MATHJAX_RELPATH should be ../mathjax. The default value points to the MathJax
# Content Delivery Network so you can quickly see the result without installing
# MathJax. However, it is strongly recommended to install a local copy of
# MathJax from https://www.mathjax.org before deployment. The default value is:
# - in case of MathJax version 2: https://cdn.jsdelivr.net/npm/mathjax@2
# - in case of MathJax version 3: https://cdn.jsdelivr.net/npm/mathjax@3
# This tag requires that the tag USE_MATHJAX is set to YES.
MATHJAX_RELPATH = https://cdnjs.cloudflare.com/ajax/libs/mathjax/2.7.5/
# The MATHJAX_EXTENSIONS tag can be used to specify one or more MathJax
# extension names that should be enabled during MathJax rendering. For example
# for MathJax version 2 (see
# https://docs.mathjax.org/en/v2.7-latest/tex.html#tex-and-latex-extensions):
# MATHJAX_EXTENSIONS = TeX/AMSmath TeX/AMSsymbols
# For example for MathJax version 3 (see
# http://docs.mathjax.org/en/latest/input/tex/extensions/index.html):
# MATHJAX_EXTENSIONS = ams
# This tag requires that the tag USE_MATHJAX is set to YES.
MATHJAX_EXTENSIONS =
# The MATHJAX_CODEFILE tag can be used to specify a file with javascript pieces
# of code that will be used on startup of the MathJax code. See the MathJax site
# (see:
# http://docs.mathjax.org/en/v2.7-latest/output.html) for more details. For an
# example see the documentation.
# This tag requires that the tag USE_MATHJAX is set to YES.
MATHJAX_CODEFILE =
# When the SEARCHENGINE tag is enabled doxygen will generate a search box for
# the HTML output. The underlying search engine uses javascript and DHTML and
# should work on any modern browser. Note that when using HTML help
# (GENERATE_HTMLHELP), Qt help (GENERATE_QHP), or docsets (GENERATE_DOCSET)
# there is already a search function so this one should typically be disabled.
# For large projects the javascript based search engine can be slow, then
# enabling SERVER_BASED_SEARCH may provide a better solution. It is possible to
# search using the keyboard; to jump to the search box use <access key> + S
# (what the <access key> is depends on the OS and browser, but it is typically
# <CTRL>, <ALT>/<option>, or both). Inside the search box use the <cursor down
# key> to jump into the search results window, the results can be navigated
# using the <cursor keys>. Press <Enter> to select an item or <escape> to cancel
# the search. The filter options can be selected when the cursor is inside the
# search box by pressing <Shift>+<cursor down>. Also here use the <cursor keys>
# to select a filter and <Enter> or <escape> to activate or cancel the filter
# option.
# The default value is: YES.
# This tag requires that the tag GENERATE_HTML is set to YES.
SEARCHENGINE = YES
# When the SERVER_BASED_SEARCH tag is enabled the search engine will be
# implemented using a web server instead of a web client using JavaScript. There
# are two flavors of web server based searching depending on the EXTERNAL_SEARCH
# setting. When disabled, doxygen will generate a PHP script for searching and
# an index file used by the script. When EXTERNAL_SEARCH is enabled the indexing
# and searching needs to be provided by external tools. See the section
# "External Indexing and Searching" for details.
# The default value is: NO.
# This tag requires that the tag SEARCHENGINE is set to YES.
SERVER_BASED_SEARCH = NO
# When EXTERNAL_SEARCH tag is enabled doxygen will no longer generate the PHP
# script for searching. Instead the search results are written to an XML file
# which needs to be processed by an external indexer. Doxygen will invoke an
# external search engine pointed to by the SEARCHENGINE_URL option to obtain the
# search results.
#
# Doxygen ships with an example indexer (doxyindexer) and search engine
# (doxysearch.cgi) which are based on the open source search engine library
# Xapian (see:
# https://xapian.org/).
#
# See the section "External Indexing and Searching" for details.
# The default value is: NO.
# This tag requires that the tag SEARCHENGINE is set to YES.
EXTERNAL_SEARCH = NO
# The SEARCHENGINE_URL should point to a search engine hosted by a web server
# which will return the search results when EXTERNAL_SEARCH is enabled.
#
# Doxygen ships with an example indexer (doxyindexer) and search engine
# (doxysearch.cgi) which are based on the open source search engine library
# Xapian (see:
# https://xapian.org/). See the section "External Indexing and Searching" for
# details.
# This tag requires that the tag SEARCHENGINE is set to YES.
SEARCHENGINE_URL =
# When SERVER_BASED_SEARCH and EXTERNAL_SEARCH are both enabled the unindexed
# search data is written to a file for indexing by an external tool. With the
# SEARCHDATA_FILE tag the name of this file can be specified.
# The default file is: searchdata.xml.
# This tag requires that the tag SEARCHENGINE is set to YES.
SEARCHDATA_FILE = searchdata.xml
# When SERVER_BASED_SEARCH and EXTERNAL_SEARCH are both enabled the
# EXTERNAL_SEARCH_ID tag can be used as an identifier for the project. This is
# useful in combination with EXTRA_SEARCH_MAPPINGS to search through multiple
# projects and redirect the results back to the right project.
# This tag requires that the tag SEARCHENGINE is set to YES.
EXTERNAL_SEARCH_ID =
# The EXTRA_SEARCH_MAPPINGS tag can be used to enable searching through doxygen
# projects other than the one defined by this configuration file, but that are
# all added to the same external search index. Each project needs to have a
# unique id set via EXTERNAL_SEARCH_ID. The search mapping then maps the id of
# to a relative location where the documentation can be found. The format is:
# EXTRA_SEARCH_MAPPINGS = tagname1=loc1 tagname2=loc2 ...
# This tag requires that the tag SEARCHENGINE is set to YES.
EXTRA_SEARCH_MAPPINGS =
#---------------------------------------------------------------------------
# Configuration options related to the LaTeX output
#---------------------------------------------------------------------------
# If the GENERATE_LATEX tag is set to YES, doxygen will generate LaTeX output.
# The default value is: YES.
GENERATE_LATEX = NO
# The LATEX_OUTPUT tag is used to specify where the LaTeX docs will be put. If a
# relative path is entered the value of OUTPUT_DIRECTORY will be put in front of
# it.
# The default directory is: latex.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_OUTPUT = latex
# The LATEX_CMD_NAME tag can be used to specify the LaTeX command name to be
# invoked.
#
# Note that when not enabling USE_PDFLATEX the default is latex when enabling
# USE_PDFLATEX the default is pdflatex and when in the later case latex is
# chosen this is overwritten by pdflatex. For specific output languages the
# default can have been set differently, this depends on the implementation of
# the output language.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_CMD_NAME =
# The MAKEINDEX_CMD_NAME tag can be used to specify the command name to generate
# index for LaTeX.
# Note: This tag is used in the Makefile / make.bat.
# See also: LATEX_MAKEINDEX_CMD for the part in the generated output file
# (.tex).
# The default file is: makeindex.
# This tag requires that the tag GENERATE_LATEX is set to YES.
MAKEINDEX_CMD_NAME = makeindex
# The LATEX_MAKEINDEX_CMD tag can be used to specify the command name to
# generate index for LaTeX. In case there is no backslash (\) as first character
# it will be automatically added in the LaTeX code.
# Note: This tag is used in the generated output file (.tex).
# See also: MAKEINDEX_CMD_NAME for the part in the Makefile / make.bat.
# The default value is: makeindex.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_MAKEINDEX_CMD = makeindex
# If the COMPACT_LATEX tag is set to YES, doxygen generates more compact LaTeX
# documents. This may be useful for small projects and may help to save some
# trees in general.
# The default value is: NO.
# This tag requires that the tag GENERATE_LATEX is set to YES.
COMPACT_LATEX = NO
# The PAPER_TYPE tag can be used to set the paper type that is used by the
# printer.
# Possible values are: a4 (210 x 297 mm), letter (8.5 x 11 inches), legal (8.5 x
# 14 inches) and executive (7.25 x 10.5 inches).
# The default value is: a4.
# This tag requires that the tag GENERATE_LATEX is set to YES.
PAPER_TYPE = a4
# The EXTRA_PACKAGES tag can be used to specify one or more LaTeX package names
# that should be included in the LaTeX output. The package can be specified just
# by its name or with the correct syntax as to be used with the LaTeX
# \usepackage command. To get the times font for instance you can specify :
# EXTRA_PACKAGES=times or EXTRA_PACKAGES={times}
# To use the option intlimits with the amsmath package you can specify:
# EXTRA_PACKAGES=[intlimits]{amsmath}
# If left blank no extra packages will be included.
# This tag requires that the tag GENERATE_LATEX is set to YES.
EXTRA_PACKAGES =
# The LATEX_HEADER tag can be used to specify a user-defined LaTeX header for
# the generated LaTeX document. The header should contain everything until the
# first chapter. If it is left blank doxygen will generate a standard header. It
# is highly recommended to start with a default header using
# doxygen -w latex new_header.tex new_footer.tex new_stylesheet.sty
# and then modify the file new_header.tex. See also section "Doxygen usage" for
# information on how to generate the default header that doxygen normally uses.
#
# Note: Only use a user-defined header if you know what you are doing!
# Note: The header is subject to change so you typically have to regenerate the
# default header when upgrading to a newer version of doxygen. The following
# commands have a special meaning inside the header (and footer): For a
# description of the possible markers and block names see the documentation.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_HEADER =
# The LATEX_FOOTER tag can be used to specify a user-defined LaTeX footer for
# the generated LaTeX document. The footer should contain everything after the
# last chapter. If it is left blank doxygen will generate a standard footer. See
# LATEX_HEADER for more information on how to generate a default footer and what
# special commands can be used inside the footer. See also section "Doxygen
# usage" for information on how to generate the default footer that doxygen
# normally uses. Note: Only use a user-defined footer if you know what you are
# doing!
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_FOOTER =
# The LATEX_EXTRA_STYLESHEET tag can be used to specify additional user-defined
# LaTeX style sheets that are included after the standard style sheets created
# by doxygen. Using this option one can overrule certain style aspects. Doxygen
# will copy the style sheet files to the output directory.
# Note: The order of the extra style sheet files is of importance (e.g. the last
# style sheet in the list overrules the setting of the previous ones in the
# list).
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_EXTRA_STYLESHEET =
# The LATEX_EXTRA_FILES tag can be used to specify one or more extra images or
# other source files which should be copied to the LATEX_OUTPUT output
# directory. Note that the files will be copied as-is; there are no commands or
# markers available.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_EXTRA_FILES =
# If the PDF_HYPERLINKS tag is set to YES, the LaTeX that is generated is
# prepared for conversion to PDF (using ps2pdf or pdflatex). The PDF file will
# contain links (just like the HTML output) instead of page references. This
# makes the output suitable for online browsing using a PDF viewer.
# The default value is: YES.
# This tag requires that the tag GENERATE_LATEX is set to YES.
PDF_HYPERLINKS = YES
# If the USE_PDFLATEX tag is set to YES, doxygen will use the engine as
# specified with LATEX_CMD_NAME to generate the PDF file directly from the LaTeX
# files. Set this option to YES, to get a higher quality PDF documentation.
#
# See also section LATEX_CMD_NAME for selecting the engine.
# The default value is: YES.
# This tag requires that the tag GENERATE_LATEX is set to YES.
USE_PDFLATEX = YES
# The LATEX_BATCHMODE tag ignals the behavior of LaTeX in case of an error.
# Possible values are: NO same as ERROR_STOP, YES same as BATCH, BATCH In batch
# mode nothing is printed on the terminal, errors are scrolled as if <return> is
# hit at every error; missing files that TeX tries to input or request from
# keyboard input (\read on a not open input stream) cause the job to abort,
# NON_STOP In nonstop mode the diagnostic message will appear on the terminal,
# but there is no possibility of user interaction just like in batch mode,
# SCROLL In scroll mode, TeX will stop only for missing files to input or if
# keyboard input is necessary and ERROR_STOP In errorstop mode, TeX will stop at
# each error, asking for user intervention.
# The default value is: NO.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_BATCHMODE = NO
# If the LATEX_HIDE_INDICES tag is set to YES then doxygen will not include the
# index chapters (such as File Index, Compound Index, etc.) in the output.
# The default value is: NO.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_HIDE_INDICES = NO
# The LATEX_BIB_STYLE tag can be used to specify the style to use for the
# bibliography, e.g. plainnat, or ieeetr. See
# https://en.wikipedia.org/wiki/BibTeX and \cite for more info.
# The default value is: plain.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_BIB_STYLE = plain
# The LATEX_EMOJI_DIRECTORY tag is used to specify the (relative or absolute)
# path from which the emoji images will be read. If a relative path is entered,
# it will be relative to the LATEX_OUTPUT directory. If left blank the
# LATEX_OUTPUT directory will be used.
# This tag requires that the tag GENERATE_LATEX is set to YES.
LATEX_EMOJI_DIRECTORY =
#---------------------------------------------------------------------------
# Configuration options related to the RTF output
#---------------------------------------------------------------------------
# If the GENERATE_RTF tag is set to YES, doxygen will generate RTF output. The
# RTF output is optimized for Word 97 and may not look too pretty with other RTF
# readers/editors.
# The default value is: NO.
GENERATE_RTF = NO
# The RTF_OUTPUT tag is used to specify where the RTF docs will be put. If a
# relative path is entered the value of OUTPUT_DIRECTORY will be put in front of
# it.
# The default directory is: rtf.
# This tag requires that the tag GENERATE_RTF is set to YES.
RTF_OUTPUT = rtf
# If the COMPACT_RTF tag is set to YES, doxygen generates more compact RTF
# documents. This may be useful for small projects and may help to save some
# trees in general.
# The default value is: NO.
# This tag requires that the tag GENERATE_RTF is set to YES.
COMPACT_RTF = NO
# If the RTF_HYPERLINKS tag is set to YES, the RTF that is generated will
# contain hyperlink fields. The RTF file will contain links (just like the HTML
# output) instead of page references. This makes the output suitable for online
# browsing using Word or some other Word compatible readers that support those
# fields.
#
# Note: WordPad (write) and others do not support links.
# The default value is: NO.
# This tag requires that the tag GENERATE_RTF is set to YES.
RTF_HYPERLINKS = NO
# Load stylesheet definitions from file. Syntax is similar to doxygen's
# configuration file, i.e. a series of assignments. You only have to provide
# replacements, missing definitions are set to their default value.
#
# See also section "Doxygen usage" for information on how to generate the
# default style sheet that doxygen normally uses.
# This tag requires that the tag GENERATE_RTF is set to YES.
RTF_STYLESHEET_FILE =
# Set optional variables used in the generation of an RTF document. Syntax is
# similar to doxygen's configuration file. A template extensions file can be
# generated using doxygen -e rtf extensionFile.
# This tag requires that the tag GENERATE_RTF is set to YES.
RTF_EXTENSIONS_FILE =
#---------------------------------------------------------------------------
# Configuration options related to the man page output
#---------------------------------------------------------------------------
# If the GENERATE_MAN tag is set to YES, doxygen will generate man pages for
# classes and files.
# The default value is: NO.
GENERATE_MAN = NO
# The MAN_OUTPUT tag is used to specify where the man pages will be put. If a
# relative path is entered the value of OUTPUT_DIRECTORY will be put in front of
# it. A directory man3 will be created inside the directory specified by
# MAN_OUTPUT.
# The default directory is: man.
# This tag requires that the tag GENERATE_MAN is set to YES.
MAN_OUTPUT = man
# The MAN_EXTENSION tag determines the extension that is added to the generated
# man pages. In case the manual section does not start with a number, the number
# 3 is prepended. The dot (.) at the beginning of the MAN_EXTENSION tag is
# optional.
# The default value is: .3.
# This tag requires that the tag GENERATE_MAN is set to YES.
MAN_EXTENSION = .3
# The MAN_SUBDIR tag determines the name of the directory created within
# MAN_OUTPUT in which the man pages are placed. If defaults to man followed by
# MAN_EXTENSION with the initial . removed.
# This tag requires that the tag GENERATE_MAN is set to YES.
MAN_SUBDIR =
# If the MAN_LINKS tag is set to YES and doxygen generates man output, then it
# will generate one additional man file for each entity documented in the real
# man page(s). These additional files only source the real man page, but without
# them the man command would be unable to find the correct page.
# The default value is: NO.
# This tag requires that the tag GENERATE_MAN is set to YES.
MAN_LINKS = NO
#---------------------------------------------------------------------------
# Configuration options related to the XML output
#---------------------------------------------------------------------------
# If the GENERATE_XML tag is set to YES, doxygen will generate an XML file that
# captures the structure of the code including all documentation.
# The default value is: NO.
GENERATE_XML = NO
# The XML_OUTPUT tag is used to specify where the XML pages will be put. If a
# relative path is entered the value of OUTPUT_DIRECTORY will be put in front of
# it.
# The default directory is: xml.
# This tag requires that the tag GENERATE_XML is set to YES.
XML_OUTPUT = xml
# If the XML_PROGRAMLISTING tag is set to YES, doxygen will dump the program
# listings (including syntax highlighting and cross-referencing information) to
# the XML output. Note that enabling this will significantly increase the size
# of the XML output.
# The default value is: YES.
# This tag requires that the tag GENERATE_XML is set to YES.
XML_PROGRAMLISTING = YES
# If the XML_NS_MEMB_FILE_SCOPE tag is set to YES, doxygen will include
# namespace members in file scope as well, matching the HTML output.
# The default value is: NO.
# This tag requires that the tag GENERATE_XML is set to YES.
XML_NS_MEMB_FILE_SCOPE = NO
#---------------------------------------------------------------------------
# Configuration options related to the DOCBOOK output
#---------------------------------------------------------------------------
# If the GENERATE_DOCBOOK tag is set to YES, doxygen will generate Docbook files
# that can be used to generate PDF.
# The default value is: NO.
GENERATE_DOCBOOK = NO
# The DOCBOOK_OUTPUT tag is used to specify where the Docbook pages will be put.
# If a relative path is entered the value of OUTPUT_DIRECTORY will be put in
# front of it.
# The default directory is: docbook.
# This tag requires that the tag GENERATE_DOCBOOK is set to YES.
DOCBOOK_OUTPUT = docbook
#---------------------------------------------------------------------------
# Configuration options for the AutoGen Definitions output
#---------------------------------------------------------------------------
# If the GENERATE_AUTOGEN_DEF tag is set to YES, doxygen will generate an
# AutoGen Definitions (see https://autogen.sourceforge.net/) file that captures
# the structure of the code including all documentation. Note that this feature
# is still experimental and incomplete at the moment.
# The default value is: NO.
GENERATE_AUTOGEN_DEF = NO
#---------------------------------------------------------------------------
# Configuration options related to the Perl module output
#---------------------------------------------------------------------------
# If the GENERATE_PERLMOD tag is set to YES, doxygen will generate a Perl module
# file that captures the structure of the code including all documentation.
#
# Note that this feature is still experimental and incomplete at the moment.
# The default value is: NO.
GENERATE_PERLMOD = NO
# If the PERLMOD_LATEX tag is set to YES, doxygen will generate the necessary
# Makefile rules, Perl scripts and LaTeX code to be able to generate PDF and DVI
# output from the Perl module output.
# The default value is: NO.
# This tag requires that the tag GENERATE_PERLMOD is set to YES.
PERLMOD_LATEX = NO
# If the PERLMOD_PRETTY tag is set to YES, the Perl module output will be nicely
# formatted so it can be parsed by a human reader. This is useful if you want to
# understand what is going on. On the other hand, if this tag is set to NO, the
# size of the Perl module output will be much smaller and Perl will parse it
# just the same.
# The default value is: YES.
# This tag requires that the tag GENERATE_PERLMOD is set to YES.
PERLMOD_PRETTY = YES
# The names of the make variables in the generated doxyrules.make file are
# prefixed with the string contained in PERLMOD_MAKEVAR_PREFIX. This is useful
# so different doxyrules.make files included by the same Makefile don't
# overwrite each other's variables.
# This tag requires that the tag GENERATE_PERLMOD is set to YES.
PERLMOD_MAKEVAR_PREFIX =
#---------------------------------------------------------------------------
# Configuration options related to the preprocessor
#---------------------------------------------------------------------------
# If the ENABLE_PREPROCESSING tag is set to YES, doxygen will evaluate all
# C-preprocessor directives found in the sources and include files.
# The default value is: YES.
ENABLE_PREPROCESSING = YES
# If the MACRO_EXPANSION tag is set to YES, doxygen will expand all macro names
# in the source code. If set to NO, only conditional compilation will be
# performed. Macro expansion can be done in a controlled way by setting
# EXPAND_ONLY_PREDEF to YES.
# The default value is: NO.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
MACRO_EXPANSION = NO
# If the EXPAND_ONLY_PREDEF and MACRO_EXPANSION tags are both set to YES then
# the macro expansion is limited to the macros specified with the PREDEFINED and
# EXPAND_AS_DEFINED tags.
# The default value is: NO.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
EXPAND_ONLY_PREDEF = NO
# If the SEARCH_INCLUDES tag is set to YES, the include files in the
# INCLUDE_PATH will be searched if a #include is found.
# The default value is: YES.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
SEARCH_INCLUDES = YES
# The INCLUDE_PATH tag can be used to specify one or more directories that
# contain include files that are not input files but should be processed by the
# preprocessor. Note that the INCLUDE_PATH is not recursive, so the setting of
# RECURSIVE has no effect here.
# This tag requires that the tag SEARCH_INCLUDES is set to YES.
INCLUDE_PATH =
# You can use the INCLUDE_FILE_PATTERNS tag to specify one or more wildcard
# patterns (like *.h and *.hpp) to filter out the header-files in the
# directories. If left blank, the patterns specified with FILE_PATTERNS will be
# used.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
INCLUDE_FILE_PATTERNS =
# The PREDEFINED tag can be used to specify one or more macro names that are
# defined before the preprocessor is started (similar to the -D option of e.g.
# gcc). The argument of the tag is a list of macros of the form: name or
# name=definition (no spaces). If the definition and the "=" are omitted, "=1"
# is assumed. To prevent a macro definition from being undefined via #undef or
# recursively expanded use the := operator instead of the = operator.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
PREDEFINED =
# If the MACRO_EXPANSION and EXPAND_ONLY_PREDEF tags are set to YES then this
# tag can be used to specify a list of macro names that should be expanded. The
# macro definition that is found in the sources will be used. Use the PREDEFINED
# tag if you want to use a different macro definition that overrules the
# definition found in the source code.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
EXPAND_AS_DEFINED =
# If the SKIP_FUNCTION_MACROS tag is set to YES then doxygen's preprocessor will
# remove all references to function-like macros that are alone on a line, have
# an all uppercase name, and do not end with a semicolon. Such function macros
# are typically used for boiler-plate code, and will confuse the parser if not
# removed.
# The default value is: YES.
# This tag requires that the tag ENABLE_PREPROCESSING is set to YES.
SKIP_FUNCTION_MACROS = YES
#---------------------------------------------------------------------------
# Configuration options related to external references
#---------------------------------------------------------------------------
# The TAGFILES tag can be used to specify one or more tag files. For each tag
# file the location of the external documentation should be added. The format of
# a tag file without this location is as follows:
# TAGFILES = file1 file2 ...
# Adding location for the tag files is done as follows:
# TAGFILES = file1=loc1 "file2 = loc2" ...
# where loc1 and loc2 can be relative or absolute paths or URLs. See the
# section "Linking to external documentation" for more information about the use
# of tag files.
# Note: Each tag file must have a unique name (where the name does NOT include
# the path). If a tag file is not located in the directory in which doxygen is
# run, you must also specify the path to the tagfile here.
TAGFILES =
# When a file name is specified after GENERATE_TAGFILE, doxygen will create a
# tag file that is based on the input files it reads. See section "Linking to
# external documentation" for more information about the usage of tag files.
GENERATE_TAGFILE =
# If the ALLEXTERNALS tag is set to YES, all external class will be listed in
# the class index. If set to NO, only the inherited external classes will be
# listed.
# The default value is: NO.
ALLEXTERNALS = NO
# If the EXTERNAL_GROUPS tag is set to YES, all external groups will be listed
# in the modules index. If set to NO, only the current project's groups will be
# listed.
# The default value is: YES.
EXTERNAL_GROUPS = YES
# If the EXTERNAL_PAGES tag is set to YES, all external pages will be listed in
# the related pages index. If set to NO, only the current project's pages will
# be listed.
# The default value is: YES.
EXTERNAL_PAGES = YES
#---------------------------------------------------------------------------
# Configuration options related to diagram generator tools
#---------------------------------------------------------------------------
# If set to YES the inheritance and collaboration graphs will hide inheritance
# and usage relations if the target is undocumented or is not a class.
# The default value is: YES.
HIDE_UNDOC_RELATIONS = YES
# If you set the HAVE_DOT tag to YES then doxygen will assume the dot tool is
# available from the path. This tool is part of Graphviz (see:
# https://www.graphviz.org/), a graph visualization toolkit from AT&T and Lucent
# Bell Labs. The other options in this section have no effect if this option is
# set to NO
# The default value is: NO.
HAVE_DOT = NO
# The DOT_NUM_THREADS specifies the number of dot invocations doxygen is allowed
# to run in parallel. When set to 0 doxygen will base this on the number of
# processors available in the system. You can set it explicitly to a value
# larger than 0 to get control over the balance between CPU load and processing
# speed.
# Minimum value: 0, maximum value: 32, default value: 0.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_NUM_THREADS = 0
# DOT_COMMON_ATTR is common attributes for nodes, edges and labels of
# subgraphs. When you want a differently looking font in the dot files that
# doxygen generates you can specify fontname, fontcolor and fontsize attributes.
# For details please see <a href=https://graphviz.org/doc/info/attrs.html>Node,
# Edge and Graph Attributes specification</a> You need to make sure dot is able
# to find the font, which can be done by putting it in a standard location or by
# setting the DOTFONTPATH environment variable or by setting DOT_FONTPATH to the
# directory containing the font. Default graphviz fontsize is 14.
# The default value is: fontname=Helvetica,fontsize=10.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_COMMON_ATTR = "fontname=Helvetica,fontsize=10"
# DOT_EDGE_ATTR is concatenated with DOT_COMMON_ATTR. For elegant style you can
# add 'arrowhead=open, arrowtail=open, arrowsize=0.5'. <a
# href=https://graphviz.org/doc/info/arrows.html>Complete documentation about
# arrows shapes.</a>
# The default value is: labelfontname=Helvetica,labelfontsize=10.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_EDGE_ATTR = "labelfontname=Helvetica,labelfontsize=10"
# DOT_NODE_ATTR is concatenated with DOT_COMMON_ATTR. For view without boxes
# around nodes set 'shape=plain' or 'shape=plaintext' <a
# href=https://www.graphviz.org/doc/info/shapes.html>Shapes specification</a>
# The default value is: shape=box,height=0.2,width=0.4.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_NODE_ATTR = "shape=box,height=0.2,width=0.4"
# You can set the path where dot can find font specified with fontname in
# DOT_COMMON_ATTR and others dot attributes.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_FONTPATH =
# If the CLASS_GRAPH tag is set to YES or GRAPH or BUILTIN then doxygen will
# generate a graph for each documented class showing the direct and indirect
# inheritance relations. In case the CLASS_GRAPH tag is set to YES or GRAPH and
# HAVE_DOT is enabled as well, then dot will be used to draw the graph. In case
# the CLASS_GRAPH tag is set to YES and HAVE_DOT is disabled or if the
# CLASS_GRAPH tag is set to BUILTIN, then the built-in generator will be used.
# If the CLASS_GRAPH tag is set to TEXT the direct and indirect inheritance
# relations will be shown as texts / links.
# Possible values are: NO, YES, TEXT, GRAPH and BUILTIN.
# The default value is: YES.
CLASS_GRAPH = YES
# If the COLLABORATION_GRAPH tag is set to YES then doxygen will generate a
# graph for each documented class showing the direct and indirect implementation
# dependencies (inheritance, containment, and class references variables) of the
# class with other documented classes.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
COLLABORATION_GRAPH = YES
# If the GROUP_GRAPHS tag is set to YES then doxygen will generate a graph for
# groups, showing the direct groups dependencies. See also the chapter Grouping
# in the manual.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
GROUP_GRAPHS = YES
# If the UML_LOOK tag is set to YES, doxygen will generate inheritance and
# collaboration diagrams in a style similar to the OMG's Unified Modeling
# Language.
# The default value is: NO.
# This tag requires that the tag HAVE_DOT is set to YES.
UML_LOOK = NO
# If the UML_LOOK tag is enabled, the fields and methods are shown inside the
# class node. If there are many fields or methods and many nodes the graph may
# become too big to be useful. The UML_LIMIT_NUM_FIELDS threshold limits the
# number of items for each type to make the size more manageable. Set this to 0
# for no limit. Note that the threshold may be exceeded by 50% before the limit
# is enforced. So when you set the threshold to 10, up to 15 fields may appear,
# but if the number exceeds 15, the total amount of fields shown is limited to
# 10.
# Minimum value: 0, maximum value: 100, default value: 10.
# This tag requires that the tag UML_LOOK is set to YES.
UML_LIMIT_NUM_FIELDS = 10
# If the DOT_UML_DETAILS tag is set to NO, doxygen will show attributes and
# methods without types and arguments in the UML graphs. If the DOT_UML_DETAILS
# tag is set to YES, doxygen will add type and arguments for attributes and
# methods in the UML graphs. If the DOT_UML_DETAILS tag is set to NONE, doxygen
# will not generate fields with class member information in the UML graphs. The
# class diagrams will look similar to the default class diagrams but using UML
# notation for the relationships.
# Possible values are: NO, YES and NONE.
# The default value is: NO.
# This tag requires that the tag UML_LOOK is set to YES.
DOT_UML_DETAILS = NO
# The DOT_WRAP_THRESHOLD tag can be used to set the maximum number of characters
# to display on a single line. If the actual line length exceeds this threshold
# significantly it will wrapped across multiple lines. Some heuristics are apply
# to avoid ugly line breaks.
# Minimum value: 0, maximum value: 1000, default value: 17.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_WRAP_THRESHOLD = 17
# If the TEMPLATE_RELATIONS tag is set to YES then the inheritance and
# collaboration graphs will show the relations between templates and their
# instances.
# The default value is: NO.
# This tag requires that the tag HAVE_DOT is set to YES.
TEMPLATE_RELATIONS = NO
# If the INCLUDE_GRAPH, ENABLE_PREPROCESSING and SEARCH_INCLUDES tags are set to
# YES then doxygen will generate a graph for each documented file showing the
# direct and indirect include dependencies of the file with other documented
# files.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
INCLUDE_GRAPH = YES
# If the INCLUDED_BY_GRAPH, ENABLE_PREPROCESSING and SEARCH_INCLUDES tags are
# set to YES then doxygen will generate a graph for each documented file showing
# the direct and indirect include dependencies of the file with other documented
# files.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
INCLUDED_BY_GRAPH = YES
# If the CALL_GRAPH tag is set to YES then doxygen will generate a call
# dependency graph for every global function or class method.
#
# Note that enabling this option will significantly increase the time of a run.
# So in most cases it will be better to enable call graphs for selected
# functions only using the \callgraph command. Disabling a call graph can be
# accomplished by means of the command \hidecallgraph.
# The default value is: NO.
# This tag requires that the tag HAVE_DOT is set to YES.
CALL_GRAPH = NO
# If the CALLER_GRAPH tag is set to YES then doxygen will generate a caller
# dependency graph for every global function or class method.
#
# Note that enabling this option will significantly increase the time of a run.
# So in most cases it will be better to enable caller graphs for selected
# functions only using the \callergraph command. Disabling a caller graph can be
# accomplished by means of the command \hidecallergraph.
# The default value is: NO.
# This tag requires that the tag HAVE_DOT is set to YES.
CALLER_GRAPH = NO
# If the GRAPHICAL_HIERARCHY tag is set to YES then doxygen will graphical
# hierarchy of all classes instead of a textual one.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
GRAPHICAL_HIERARCHY = YES
# If the DIRECTORY_GRAPH tag is set to YES then doxygen will show the
# dependencies a directory has on other directories in a graphical way. The
# dependency relations are determined by the #include relations between the
# files in the directories.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
DIRECTORY_GRAPH = YES
# The DIR_GRAPH_MAX_DEPTH tag can be used to limit the maximum number of levels
# of child directories generated in directory dependency graphs by dot.
# Minimum value: 1, maximum value: 25, default value: 1.
# This tag requires that the tag DIRECTORY_GRAPH is set to YES.
DIR_GRAPH_MAX_DEPTH = 1
# The DOT_IMAGE_FORMAT tag can be used to set the image format of the images
# generated by dot. For an explanation of the image formats see the section
# output formats in the documentation of the dot tool (Graphviz (see:
# https://www.graphviz.org/)).
# Note: If you choose svg you need to set HTML_FILE_EXTENSION to xhtml in order
# to make the SVG files visible in IE 9+ (other browsers do not have this
# requirement).
# Possible values are: png, jpg, gif, svg, png:gd, png:gd:gd, png:cairo,
# png:cairo:gd, png:cairo:cairo, png:cairo:gdiplus, png:gdiplus and
# png:gdiplus:gdiplus.
# The default value is: png.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_IMAGE_FORMAT = png
# If DOT_IMAGE_FORMAT is set to svg, then this option can be set to YES to
# enable generation of interactive SVG images that allow zooming and panning.
#
# Note that this requires a modern browser other than Internet Explorer. Tested
# and working are Firefox, Chrome, Safari, and Opera.
# Note: For IE 9+ you need to set HTML_FILE_EXTENSION to xhtml in order to make
# the SVG files visible. Older versions of IE do not have SVG support.
# The default value is: NO.
# This tag requires that the tag HAVE_DOT is set to YES.
INTERACTIVE_SVG = NO
# The DOT_PATH tag can be used to specify the path where the dot tool can be
# found. If left blank, it is assumed the dot tool can be found in the path.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_PATH =
# The DOTFILE_DIRS tag can be used to specify one or more directories that
# contain dot files that are included in the documentation (see the \dotfile
# command).
# This tag requires that the tag HAVE_DOT is set to YES.
DOTFILE_DIRS =
# You can include diagrams made with dia in doxygen documentation. Doxygen will
# then run dia to produce the diagram and insert it in the documentation. The
# DIA_PATH tag allows you to specify the directory where the dia binary resides.
# If left empty dia is assumed to be found in the default search path.
DIA_PATH =
# The DIAFILE_DIRS tag can be used to specify one or more directories that
# contain dia files that are included in the documentation (see the \diafile
# command).
DIAFILE_DIRS =
# When using plantuml, the PLANTUML_JAR_PATH tag should be used to specify the
# path where java can find the plantuml.jar file or to the filename of jar file
# to be used. If left blank, it is assumed PlantUML is not used or called during
# a preprocessing step. Doxygen will generate a warning when it encounters a
# \startuml command in this case and will not generate output for the diagram.
PLANTUML_JAR_PATH =
# When using plantuml, the PLANTUML_CFG_FILE tag can be used to specify a
# configuration file for plantuml.
PLANTUML_CFG_FILE =
# When using plantuml, the specified paths are searched for files specified by
# the !include statement in a plantuml block.
PLANTUML_INCLUDE_PATH =
# The DOT_GRAPH_MAX_NODES tag can be used to set the maximum number of nodes
# that will be shown in the graph. If the number of nodes in a graph becomes
# larger than this value, doxygen will truncate the graph, which is visualized
# by representing a node as a red box. Note that doxygen if the number of direct
# children of the root node in a graph is already larger than
# DOT_GRAPH_MAX_NODES then the graph will not be shown at all. Also note that
# the size of a graph can be further restricted by MAX_DOT_GRAPH_DEPTH.
# Minimum value: 0, maximum value: 10000, default value: 50.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_GRAPH_MAX_NODES = 50
# The MAX_DOT_GRAPH_DEPTH tag can be used to set the maximum depth of the graphs
# generated by dot. A depth value of 3 means that only nodes reachable from the
# root by following a path via at most 3 edges will be shown. Nodes that lay
# further from the root node will be omitted. Note that setting this option to 1
# or 2 may greatly reduce the computation time needed for large code bases. Also
# note that the size of a graph can be further restricted by
# DOT_GRAPH_MAX_NODES. Using a depth of 0 means no depth restriction.
# Minimum value: 0, maximum value: 1000, default value: 0.
# This tag requires that the tag HAVE_DOT is set to YES.
MAX_DOT_GRAPH_DEPTH = 0
# Set the DOT_MULTI_TARGETS tag to YES to allow dot to generate multiple output
# files in one run (i.e. multiple -o and -T options on the command line). This
# makes dot run faster, but since only newer versions of dot (>1.8.10) support
# this, this feature is disabled by default.
# The default value is: NO.
# This tag requires that the tag HAVE_DOT is set to YES.
DOT_MULTI_TARGETS = NO
# If the GENERATE_LEGEND tag is set to YES doxygen will generate a legend page
# explaining the meaning of the various boxes and arrows in the dot generated
# graphs.
# Note: This tag requires that UML_LOOK isn't set, i.e. the doxygen internal
# graphical representation for inheritance and collaboration diagrams is used.
# The default value is: YES.
# This tag requires that the tag HAVE_DOT is set to YES.
GENERATE_LEGEND = YES
# If the DOT_CLEANUP tag is set to YES, doxygen will remove the intermediate
# files that are used to generate the various graphs.
#
# Note: This setting is not only used for dot files but also for msc temporary
# files.
# The default value is: YES.
DOT_CLEANUP = YES
# You can define message sequence charts within doxygen comments using the \msc
# command. If the MSCGEN_TOOL tag is left empty (the default), then doxygen will
# use a built-in version of mscgen tool to produce the charts. Alternatively,
# the MSCGEN_TOOL tag can also specify the name an external tool. For instance,
# specifying prog as the value, doxygen will call the tool as prog -T
# <outfile_format> -o <outputfile> <inputfile>. The external tool should support
# output file formats "png", "eps", "svg", and "ismap".
MSCGEN_TOOL =
# The MSCFILE_DIRS tag can be used to specify one or more directories that
# contain msc files that are included in the documentation (see the \mscfile
# command).
MSCFILE_DIRS =
| engine/docs/Doxyfile.template/0 | {
"file_path": "engine/docs/Doxyfile.template",
"repo_id": "engine",
"token_count": 36155
} | 191 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FLOW_DIFF_CONTEXT_H_
#define FLUTTER_FLOW_DIFF_CONTEXT_H_
#include <functional>
#include <map>
#include <optional>
#include <vector>
#include "display_list/utils/dl_matrix_clip_tracker.h"
#include "flutter/flow/paint_region.h"
#include "flutter/fml/macros.h"
#include "third_party/skia/include/core/SkM44.h"
#include "third_party/skia/include/core/SkMatrix.h"
#include "third_party/skia/include/core/SkRect.h"
namespace flutter {
class Layer;
// Represents area that needs to be updated in front buffer (frame_damage) and
// area that is going to be painted to in back buffer (buffer_damage).
struct Damage {
// This is the damage between current and previous frame;
// If embedder supports partial update, this is the region that needs to be
// repainted.
// Corresponds to "surface damage" from EGL_KHR_partial_update.
SkIRect frame_damage;
// Reflects actual change to target framebuffer; This is frame_damage +
// damage previously acumulated for target framebuffer.
// All drawing will be clipped to this region. Knowing the affected area
// upfront may be useful for tile based GPUs.
// Corresponds to "buffer damage" from EGL_KHR_partial_update.
SkIRect buffer_damage;
};
// Layer Unique Id to PaintRegion
using PaintRegionMap = std::map<uint64_t, PaintRegion>;
// Tracks state during tree diffing process and computes resulting damage
class DiffContext {
public:
explicit DiffContext(SkISize frame_size,
PaintRegionMap& this_frame_paint_region_map,
const PaintRegionMap& last_frame_paint_region_map,
bool has_raster_cache,
bool impeller_enabled);
// Starts a new subtree.
void BeginSubtree();
// Ends current subtree; All modifications to state (transform, cullrect,
// dirty) will be restored
void EndSubtree();
// Creates subtree in current scope and closes it on scope exit
class AutoSubtreeRestore {
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(AutoSubtreeRestore);
public:
explicit AutoSubtreeRestore(DiffContext* context) : context_(context) {
context->BeginSubtree();
}
~AutoSubtreeRestore() { context_->EndSubtree(); }
private:
DiffContext* context_;
};
// Pushes additional transform for current subtree
void PushTransform(const SkMatrix& transform);
void PushTransform(const SkM44& transform);
// Pushes cull rect for current subtree
bool PushCullRect(const SkRect& clip);
// Function that adjusts layer bounds (in device coordinates) depending
// on filter.
using FilterBoundsAdjustment = std::function<SkRect(SkRect)>;
// Pushes filter bounds adjustment to current subtree. Every layer in this
// subtree will have bounds adjusted by this function.
void PushFilterBoundsAdjustment(const FilterBoundsAdjustment& filter);
// Instruct DiffContext that current layer will paint with integral transform.
void WillPaintWithIntegralTransform() { state_.integral_transform = true; }
// Returns current transform as SkMatrix.
SkMatrix GetTransform3x3() const;
// Return cull rect for current subtree (in local coordinates).
SkRect GetCullRect() const;
// Sets the dirty flag on current subtree.
//
// previous_paint_region, which should represent region of previous subtree
// at this level will be added to damage area.
//
// Each paint region added to dirty subtree (through AddPaintRegion) is also
// added to damage.
void MarkSubtreeDirty(
const PaintRegion& previous_paint_region = PaintRegion());
void MarkSubtreeDirty(const SkRect& previous_paint_region);
bool IsSubtreeDirty() const { return state_.dirty; }
// Marks that current subtree contains a TextureLayer. This is needed to
// ensure that we'll Diff the TextureLayer even if inside retained layer.
void MarkSubtreeHasTextureLayer();
// Add layer bounds to current paint region; rect is in "local" (layer)
// coordinates.
void AddLayerBounds(const SkRect& rect);
// Add entire paint region of retained layer for current subtree. This can
// only be used in subtrees that are not dirty, otherwise ancestor transforms
// or clips may result in different paint region.
void AddExistingPaintRegion(const PaintRegion& region);
// The idea of readback region is that if any part of the readback region
// needs to be repainted, then the whole readback region must be repainted;
//
// paint_rect - rectangle where the filter paints contents (in screen
// coordinates)
// readback_rect - rectangle where the filter samples from (in screen
// coordinates)
void AddReadbackRegion(const SkIRect& paint_rect,
const SkIRect& readback_rect);
// Returns the paint region for current subtree; Each rect in paint region is
// in screen coordinates; Once a layer accumulates the paint regions of its
// children, this PaintRegion value can be associated with the current layer
// using DiffContext::SetLayerPaintRegion.
PaintRegion CurrentSubtreeRegion() const;
// Computes final damage
//
// additional_damage is the previously accumulated frame_damage for
// current framebuffer
//
// clip_alignment controls the alignment of resulting frame and surface
// damage.
Damage ComputeDamage(const SkIRect& additional_damage,
int horizontal_clip_alignment = 0,
int vertical_clip_alignment = 0) const;
// Adds the region to current damage. Used for removed layers, where instead
// of diffing the layer its paint region is direcly added to damage.
void AddDamage(const PaintRegion& damage);
// Associates the paint region with specified layer and current layer tree.
// The paint region can not be stored directly in layer itself, because same
// retained layer instance can possibly paint in different locations depending
// on ancestor layers.
void SetLayerPaintRegion(const Layer* layer, const PaintRegion& region);
// Retrieves the paint region associated with specified layer and previous
// frame layer tree.
PaintRegion GetOldLayerPaintRegion(const Layer* layer) const;
// Whether or not a raster cache is being used. If so, we must snap
// all transformations to physical pixels if the layer may be raster
// cached.
bool has_raster_cache() const { return has_raster_cache_; }
bool impeller_enabled() const { return impeller_enabled_; }
class Statistics {
public:
// Picture replaced by different picture
void AddNewPicture() { ++new_pictures_; }
// Picture that would require deep comparison but was considered too complex
// to serialize and thus was treated as new picture
void AddPictureTooComplexToCompare() { ++pictures_too_complex_to_compare_; }
// Picture that has identical instance between frames
void AddSameInstancePicture() { ++same_instance_pictures_; };
// Picture that had to be serialized to compare for equality
void AddDeepComparePicture() { ++deep_compare_pictures_; }
// Picture that had to be serialized to compare (different instances),
// but were equal
void AddDifferentInstanceButEqualPicture() {
++different_instance_but_equal_pictures_;
};
// Logs the statistics to trace counter
void LogStatistics();
private:
int new_pictures_ = 0;
int pictures_too_complex_to_compare_ = 0;
int same_instance_pictures_ = 0;
int deep_compare_pictures_ = 0;
int different_instance_but_equal_pictures_ = 0;
};
Statistics& statistics() { return statistics_; }
SkRect MapRect(const SkRect& rect);
private:
struct State {
State();
bool dirty = false;
size_t rect_index = 0;
// In order to replicate paint process closely, DiffContext needs to take
// into account that some layers are painted with transform translation
// snapped to integral coordinates.
//
// It's not possible to simply snap the transform itself, because culling
// needs to happen with original (unsnapped) transform, just like it does
// during paint. This means the integral coordinates must be applied after
// culling before painting the layer content (either the layer itself, or
// when starting subtree to paint layer children).
bool integral_transform = false;
// Used to restoring clip tracker when popping state.
int clip_tracker_save_count = 0;
// Whether this subtree has filter bounds adjustment function. If so,
// it will need to be removed from stack when subtree is closed.
bool has_filter_bounds_adjustment = false;
// Whether there is a texture layer in this subtree.
bool has_texture = false;
};
void MakeCurrentTransformIntegral();
DisplayListMatrixClipTracker clip_tracker_;
std::shared_ptr<std::vector<SkRect>> rects_;
State state_;
SkISize frame_size_;
std::vector<State> state_stack_;
std::vector<FilterBoundsAdjustment> filter_bounds_adjustment_stack_;
// Applies the filter bounds adjustment stack on provided rect.
// Rect must be in device coordinates.
SkRect ApplyFilterBoundsAdjustment(SkRect rect) const;
SkRect damage_ = SkRect::MakeEmpty();
PaintRegionMap& this_frame_paint_region_map_;
const PaintRegionMap& last_frame_paint_region_map_;
bool has_raster_cache_;
bool impeller_enabled_;
void AddDamage(const SkRect& rect);
void AlignRect(SkIRect& rect,
int horizontal_alignment,
int vertical_clip_alignment) const;
struct Readback {
// Index of rects_ entry that this readback belongs to. Used to
// determine if subtree has any readback
size_t position;
// Paint region of the filter performing readback, in screen coordinates.
SkIRect paint_rect;
// Readback area of the filter, in screen coordinates.
SkIRect readback_rect;
};
std::vector<Readback> readbacks_;
Statistics statistics_;
};
} // namespace flutter
#endif // FLUTTER_FLOW_DIFF_CONTEXT_H_
| engine/flow/diff_context.h/0 | {
"file_path": "engine/flow/diff_context.h",
"repo_id": "engine",
"token_count": 3061
} | 192 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/flow/layers/backdrop_filter_layer.h"
#include "flutter/flow/layers/clip_rect_layer.h"
#include "flutter/flow/layers/clip_rect_layer.h"
#include "flutter/flow/layers/transform_layer.h"
#include "flutter/flow/testing/diff_context_test.h"
#include "flutter/flow/testing/layer_test.h"
#include "flutter/flow/testing/mock_layer.h"
#include "flutter/fml/macros.h"
namespace flutter {
namespace testing {
using BackdropFilterLayerTest = LayerTest;
#ifndef NDEBUG
TEST_F(BackdropFilterLayerTest, PaintingEmptyLayerDies) {
auto filter = DlBlurImageFilter(5, 5, DlTileMode::kClamp);
auto layer = std::make_shared<BackdropFilterLayer>(filter.shared(),
DlBlendMode::kSrcOver);
auto parent = std::make_shared<ClipRectLayer>(kEmptyRect, Clip::kHardEdge);
parent->Add(layer);
parent->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), kEmptyRect);
EXPECT_EQ(layer->child_paint_bounds(), kEmptyRect);
EXPECT_FALSE(layer->needs_painting(paint_context()));
EXPECT_DEATH_IF_SUPPORTED(layer->Paint(paint_context()),
"needs_painting\\(context\\)");
}
TEST_F(BackdropFilterLayerTest, PaintBeforePrerollDies) {
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
auto mock_layer = std::make_shared<MockLayer>(child_path);
auto filter = DlBlurImageFilter(5, 5, DlTileMode::kClamp);
auto layer = std::make_shared<BackdropFilterLayer>(filter.shared(),
DlBlendMode::kSrcOver);
layer->Add(mock_layer);
EXPECT_EQ(layer->paint_bounds(), kEmptyRect);
EXPECT_EQ(layer->child_paint_bounds(), kEmptyRect);
EXPECT_DEATH_IF_SUPPORTED(layer->Paint(paint_context()),
"needs_painting\\(context\\)");
}
#endif
TEST_F(BackdropFilterLayerTest, EmptyFilter) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
const DlPaint child_paint = DlPaint(DlColor::kYellow());
auto mock_layer = std::make_shared<MockLayer>(child_path, child_paint);
auto layer =
std::make_shared<BackdropFilterLayer>(nullptr, DlBlendMode::kSrcOver);
layer->Add(mock_layer);
auto parent = std::make_shared<ClipRectLayer>(child_bounds, Clip::kHardEdge);
parent->Add(layer);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
parent->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), child_bounds);
EXPECT_EQ(layer->child_paint_bounds(), child_bounds);
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer->parent_matrix(), initial_transform);
parent->Paint(display_list_paint_context());
DisplayListBuilder expected_builder;
/* (ClipRect)parent::Paint */ {
expected_builder.Save();
{
expected_builder.ClipRect(child_bounds, DlCanvas::ClipOp::kIntersect,
false);
/* (BackdropFilter)layer::Paint */ {
expected_builder.Save();
{
expected_builder.SaveLayer(&child_bounds, nullptr, nullptr);
{
/* mock_layer::Paint */ {
expected_builder.DrawPath(child_path, child_paint);
}
}
expected_builder.Restore();
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
TEST_F(BackdropFilterLayerTest, SimpleFilter) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
const DlPaint child_paint = DlPaint(DlColor::kYellow());
auto layer_filter =
std::make_shared<DlBlurImageFilter>(2.5, 3.2, DlTileMode::kClamp);
auto mock_layer = std::make_shared<MockLayer>(child_path, child_paint);
auto layer = std::make_shared<BackdropFilterLayer>(layer_filter,
DlBlendMode::kSrcOver);
layer->Add(mock_layer);
auto parent = std::make_shared<ClipRectLayer>(child_bounds, Clip::kHardEdge);
parent->Add(layer);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
parent->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), child_bounds);
EXPECT_EQ(layer->child_paint_bounds(), child_bounds);
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer->parent_matrix(), initial_transform);
parent->Paint(display_list_paint_context());
DisplayListBuilder expected_builder;
/* (ClipRect)parent::Paint */ {
expected_builder.Save();
{
expected_builder.ClipRect(child_bounds, DlCanvas::ClipOp::kIntersect,
false);
/* (BackdropFilter)layer::Paint */ {
expected_builder.Save();
{
expected_builder.SaveLayer(&child_bounds, nullptr,
layer_filter.get());
{
/* mock_layer::Paint */ {
expected_builder.DrawPath(child_path, child_paint);
}
}
expected_builder.Restore();
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
TEST_F(BackdropFilterLayerTest, NonSrcOverBlend) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
const DlPaint child_paint = DlPaint(DlColor::kYellow());
auto layer_filter =
std::make_shared<DlBlurImageFilter>(2.5, 3.2, DlTileMode::kClamp);
auto mock_layer = std::make_shared<MockLayer>(child_path, child_paint);
auto layer =
std::make_shared<BackdropFilterLayer>(layer_filter, DlBlendMode::kSrc);
layer->Add(mock_layer);
auto parent = std::make_shared<ClipRectLayer>(child_bounds, Clip::kHardEdge);
parent->Add(layer);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
parent->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), child_bounds);
EXPECT_EQ(layer->child_paint_bounds(), child_bounds);
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer->parent_matrix(), initial_transform);
DlPaint filter_paint = DlPaint();
filter_paint.setBlendMode(DlBlendMode::kSrc);
parent->Paint(display_list_paint_context());
DisplayListBuilder expected_builder;
/* (ClipRect)parent::Paint */ {
expected_builder.Save();
{
expected_builder.ClipRect(child_bounds, DlCanvas::ClipOp::kIntersect,
false);
/* (BackdropFilter)layer::Paint */ {
expected_builder.Save();
{
DlPaint save_paint = DlPaint().setBlendMode(DlBlendMode::kSrc);
expected_builder.SaveLayer(&child_bounds, &save_paint,
layer_filter.get());
{
/* mock_layer::Paint */ {
expected_builder.DrawPath(child_path, child_paint);
}
}
expected_builder.Restore();
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
TEST_F(BackdropFilterLayerTest, MultipleChildren) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 2.5f, 3.5f);
const SkPath child_path1 = SkPath().addRect(child_bounds);
const SkPath child_path2 =
SkPath().addRect(child_bounds.makeOffset(3.0f, 0.0f));
const DlPaint child_paint1 = DlPaint(DlColor::kYellow());
const DlPaint child_paint2 = DlPaint(DlColor::kCyan());
SkRect children_bounds = child_path1.getBounds();
children_bounds.join(child_path2.getBounds());
auto layer_filter =
std::make_shared<DlBlurImageFilter>(2.5, 3.2, DlTileMode::kClamp);
auto mock_layer1 = std::make_shared<MockLayer>(child_path1, child_paint1);
auto mock_layer2 = std::make_shared<MockLayer>(child_path2, child_paint2);
auto layer = std::make_shared<BackdropFilterLayer>(layer_filter,
DlBlendMode::kSrcOver);
layer->Add(mock_layer1);
layer->Add(mock_layer2);
auto parent =
std::make_shared<ClipRectLayer>(children_bounds, Clip::kHardEdge);
parent->Add(layer);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
parent->Preroll(preroll_context());
EXPECT_EQ(mock_layer1->paint_bounds(), child_path1.getBounds());
EXPECT_EQ(mock_layer2->paint_bounds(), child_path2.getBounds());
EXPECT_EQ(layer->paint_bounds(), children_bounds);
EXPECT_EQ(layer->child_paint_bounds(), children_bounds);
EXPECT_TRUE(mock_layer1->needs_painting(paint_context()));
EXPECT_TRUE(mock_layer2->needs_painting(paint_context()));
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer1->parent_matrix(), initial_transform);
EXPECT_EQ(mock_layer2->parent_matrix(), initial_transform);
parent->Paint(display_list_paint_context());
DisplayListBuilder expected_builder;
/* (ClipRect)parent::Paint */ {
expected_builder.Save();
{
expected_builder.ClipRect(children_bounds, DlCanvas::ClipOp::kIntersect,
false);
/* (BackdropFilter)layer::Paint */ {
expected_builder.Save();
{
expected_builder.SaveLayer(&children_bounds, nullptr,
layer_filter.get());
{
/* mock_layer1::Paint */ {
expected_builder.DrawPath(child_path1, child_paint1);
}
/* mock_layer2::Paint */ {
expected_builder.DrawPath(child_path2, child_paint2);
}
}
expected_builder.Restore();
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
TEST_F(BackdropFilterLayerTest, Nested) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 2.5f, 3.5f);
const SkPath child_path1 = SkPath().addRect(child_bounds);
const SkPath child_path2 =
SkPath().addRect(child_bounds.makeOffset(3.0f, 0.0f));
const DlPaint child_paint1 = DlPaint(DlColor::kYellow());
const DlPaint child_paint2 = DlPaint(DlColor::kCyan());
SkRect children_bounds = child_path1.getBounds();
children_bounds.join(child_path2.getBounds());
auto layer_filter1 =
std::make_shared<DlBlurImageFilter>(2.5, 3.2, DlTileMode::kClamp);
auto layer_filter2 =
std::make_shared<DlBlurImageFilter>(2.7, 3.1, DlTileMode::kDecal);
auto mock_layer1 = std::make_shared<MockLayer>(child_path1, child_paint1);
auto mock_layer2 = std::make_shared<MockLayer>(child_path2, child_paint2);
auto layer1 = std::make_shared<BackdropFilterLayer>(layer_filter1,
DlBlendMode::kSrcOver);
auto layer2 = std::make_shared<BackdropFilterLayer>(layer_filter2,
DlBlendMode::kSrcOver);
layer2->Add(mock_layer2);
layer1->Add(mock_layer1);
layer1->Add(layer2);
auto parent =
std::make_shared<ClipRectLayer>(children_bounds, Clip::kHardEdge);
parent->Add(layer1);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
parent->Preroll(preroll_context());
EXPECT_EQ(mock_layer1->paint_bounds(), child_path1.getBounds());
EXPECT_EQ(mock_layer2->paint_bounds(), child_path2.getBounds());
EXPECT_EQ(layer1->paint_bounds(), children_bounds);
EXPECT_EQ(layer2->paint_bounds(), children_bounds);
EXPECT_TRUE(mock_layer1->needs_painting(paint_context()));
EXPECT_TRUE(mock_layer2->needs_painting(paint_context()));
EXPECT_TRUE(layer1->needs_painting(paint_context()));
EXPECT_TRUE(layer2->needs_painting(paint_context()));
EXPECT_EQ(mock_layer1->parent_matrix(), initial_transform);
EXPECT_EQ(mock_layer2->parent_matrix(), initial_transform);
parent->Paint(display_list_paint_context());
DisplayListBuilder expected_builder;
/* (ClipRect)parent::Paint */ {
expected_builder.Save();
{
expected_builder.ClipRect(children_bounds, DlCanvas::ClipOp::kIntersect,
false);
/* (BackdropFilter)layer1::Paint */ {
expected_builder.Save();
{
expected_builder.SaveLayer(&children_bounds, nullptr,
layer_filter1.get());
{
/* mock_layer1::Paint */ {
expected_builder.DrawPath(child_path1, child_paint1);
}
/* (BackdropFilter)layer2::Paint */ {
expected_builder.Save();
{
expected_builder.SaveLayer(&children_bounds, nullptr,
layer_filter2.get());
{
/* mock_layer2::Paint */ {
expected_builder.DrawPath(child_path2, child_paint2);
}
}
expected_builder.Restore();
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
TEST_F(BackdropFilterLayerTest, Readback) {
std::shared_ptr<DlImageFilter> no_filter;
auto layer_filter = DlBlurImageFilter(5, 5, DlTileMode::kClamp);
auto initial_transform = SkMatrix();
// BDF with filter always reads from surface
auto layer1 = std::make_shared<BackdropFilterLayer>(layer_filter.shared(),
DlBlendMode::kSrcOver);
preroll_context()->surface_needs_readback = false;
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer1->Preroll(preroll_context());
EXPECT_TRUE(preroll_context()->surface_needs_readback);
// BDF with no filter does not read from surface itself
auto layer2 =
std::make_shared<BackdropFilterLayer>(no_filter, DlBlendMode::kSrcOver);
preroll_context()->surface_needs_readback = false;
layer2->Preroll(preroll_context());
EXPECT_FALSE(preroll_context()->surface_needs_readback);
// BDF with no filter does not block prior readback value
preroll_context()->surface_needs_readback = true;
layer2->Preroll(preroll_context());
EXPECT_TRUE(preroll_context()->surface_needs_readback);
// BDF with no filter blocks child with readback
auto mock_layer = std::make_shared<MockLayer>(SkPath(), DlPaint());
mock_layer->set_fake_reads_surface(true);
layer2->Add(mock_layer);
preroll_context()->surface_needs_readback = false;
layer2->Preroll(preroll_context());
EXPECT_FALSE(preroll_context()->surface_needs_readback);
}
TEST_F(BackdropFilterLayerTest, OpacityInheritance) {
auto backdrop_filter = DlBlurImageFilter(5, 5, DlTileMode::kClamp);
const SkPath mock_path = SkPath().addRect(SkRect::MakeLTRB(0, 0, 10, 10));
const DlPaint mock_paint = DlPaint(DlColor::kRed());
const SkRect clip_rect = SkRect::MakeLTRB(0, 0, 100, 100);
auto clip = std::make_shared<ClipRectLayer>(clip_rect, Clip::kHardEdge);
auto parent = std::make_shared<OpacityLayer>(128, SkPoint::Make(0, 0));
auto layer = std::make_shared<BackdropFilterLayer>(backdrop_filter.shared(),
DlBlendMode::kSrcOver);
auto child = std::make_shared<MockLayer>(mock_path, mock_paint);
layer->Add(child);
parent->Add(layer);
clip->Add(parent);
clip->Preroll(preroll_context());
clip->Paint(display_list_paint_context());
DisplayListBuilder expected_builder(clip_rect);
/* ClipRectLayer::Paint */ {
expected_builder.Save();
{
expected_builder.ClipRect(clip_rect, DlCanvas::ClipOp::kIntersect, false);
/* OpacityLayer::Paint */ {
// NOP - it hands opacity down to BackdropFilterLayer
/* BackdropFilterLayer::Paint */ {
DlPaint save_paint;
save_paint.setAlpha(128);
expected_builder.SaveLayer(&clip_rect, &save_paint, &backdrop_filter);
{
/* MockLayer::Paint */ {
DlPaint child_paint;
child_paint.setColor(DlColor::kRed());
expected_builder.DrawPath(mock_path, child_paint);
}
}
expected_builder.Restore();
}
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
using BackdropLayerDiffTest = DiffContextTest;
TEST_F(BackdropLayerDiffTest, BackdropLayer) {
auto filter = DlBlurImageFilter(10, 10, DlTileMode::kClamp);
{
// tests later assume 30px readback area, fail early if that's not the case
SkIRect readback;
EXPECT_EQ(filter.get_input_device_bounds(SkIRect::MakeWH(10, 10),
SkMatrix::I(), readback),
&readback);
EXPECT_EQ(readback, SkIRect::MakeLTRB(-30, -30, 40, 40));
}
MockLayerTree l1(SkISize::Make(100, 100));
l1.root()->Add(std::make_shared<BackdropFilterLayer>(filter.shared(),
DlBlendMode::kSrcOver));
// no clip, effect over entire surface
auto damage = DiffLayerTree(l1, MockLayerTree(SkISize::Make(100, 100)));
EXPECT_EQ(damage.frame_damage, SkIRect::MakeWH(100, 100));
MockLayerTree l2(SkISize::Make(100, 100));
auto clip = std::make_shared<ClipRectLayer>(SkRect::MakeLTRB(20, 20, 60, 60),
Clip::kHardEdge);
clip->Add(std::make_shared<BackdropFilterLayer>(filter.shared(),
DlBlendMode::kSrcOver));
l2.root()->Add(clip);
damage = DiffLayerTree(l2, MockLayerTree(SkISize::Make(100, 100)));
EXPECT_EQ(damage.frame_damage, SkIRect::MakeLTRB(0, 0, 90, 90));
MockLayerTree l3;
auto scale = std::make_shared<TransformLayer>(SkMatrix::Scale(2.0, 2.0));
scale->Add(clip);
l3.root()->Add(scale);
damage = DiffLayerTree(l3, MockLayerTree());
EXPECT_EQ(damage.frame_damage, SkIRect::MakeLTRB(0, 0, 180, 180));
MockLayerTree l4;
l4.root()->Add(scale);
// path just outside of readback region, doesn't affect blur
auto path1 = SkPath().addRect(SkRect::MakeLTRB(180, 180, 190, 190));
l4.root()->Add(std::make_shared<MockLayer>(path1));
damage = DiffLayerTree(l4, l3);
EXPECT_EQ(damage.frame_damage, SkIRect::MakeLTRB(180, 180, 190, 190));
MockLayerTree l5;
l5.root()->Add(scale);
// path just inside of readback region, must trigger backdrop repaint
auto path2 = SkPath().addRect(SkRect::MakeLTRB(179, 179, 189, 189));
l5.root()->Add(std::make_shared<MockLayer>(path2));
damage = DiffLayerTree(l5, l4);
EXPECT_EQ(damage.frame_damage, SkIRect::MakeLTRB(0, 0, 190, 190));
}
TEST_F(BackdropLayerDiffTest, ReadbackOutsideOfPaintArea) {
auto filter = DlMatrixImageFilter(SkMatrix::Translate(50, 50),
DlImageSampling::kLinear);
MockLayerTree l1(SkISize::Make(100, 100));
auto clip = std::make_shared<ClipRectLayer>(SkRect::MakeLTRB(60, 60, 80, 80),
Clip::kHardEdge);
clip->Add(std::make_shared<BackdropFilterLayer>(filter.shared(),
DlBlendMode::kSrcOver));
l1.root()->Add(clip);
auto damage = DiffLayerTree(l1, MockLayerTree(SkISize::Make(100, 100)));
EXPECT_EQ(damage.frame_damage, SkIRect::MakeLTRB(60 - 50, 60 - 50, 80, 80));
MockLayerTree l2(SkISize::Make(100, 100));
// path inside readback area must trigger whole readback repaint + filter
// repaint.
auto path2 = SkPath().addRect(SkRect::MakeXYWH(60 - 50, 60 - 50, 10, 10));
l2.root()->Add(clip);
l2.root()->Add(std::make_shared<MockLayer>(path2));
damage = DiffLayerTree(l2, l1);
EXPECT_EQ(damage.frame_damage, SkIRect::MakeLTRB(60 - 50, 60 - 50, 80, 80));
}
TEST_F(BackdropLayerDiffTest, BackdropLayerInvalidTransform) {
auto filter = DlBlurImageFilter(10, 10, DlTileMode::kClamp);
{
// tests later assume 30px readback area, fail early if that's not the case
SkIRect readback;
EXPECT_EQ(filter.get_input_device_bounds(SkIRect::MakeWH(10, 10),
SkMatrix::I(), readback),
&readback);
EXPECT_EQ(readback, SkIRect::MakeLTRB(-30, -30, 40, 40));
}
MockLayerTree l1(SkISize::Make(100, 100));
SkMatrix transform;
transform.setPerspX(0.1);
transform.setPerspY(0.1);
auto transform_layer = std::make_shared<TransformLayer>(transform);
l1.root()->Add(transform_layer);
transform_layer->Add(std::make_shared<BackdropFilterLayer>(
filter.shared(), DlBlendMode::kSrcOver));
auto damage = DiffLayerTree(l1, MockLayerTree(SkISize::Make(100, 100)));
EXPECT_EQ(damage.frame_damage, SkIRect::MakeWH(100, 100));
}
} // namespace testing
} // namespace flutter
| engine/flow/layers/backdrop_filter_layer_unittests.cc/0 | {
"file_path": "engine/flow/layers/backdrop_filter_layer_unittests.cc",
"repo_id": "engine",
"token_count": 9433
} | 193 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/display_list/display_list.h"
#include "flutter/display_list/dl_color.h"
#include "flutter/display_list/dl_paint.h"
#include "flutter/flow/compositor_context.h"
#include "flutter/flow/layers/color_filter_layer.h"
#include "flutter/display_list/effects/dl_color_filter.h"
#include "flutter/flow/layers/layer_tree.h"
#include "flutter/flow/layers/opacity_layer.h"
#include "flutter/flow/raster_cache.h"
#include "flutter/flow/raster_cache_key.h"
#include "flutter/flow/testing/layer_test.h"
#include "flutter/flow/testing/mock_layer.h"
#include "flutter/fml/macros.h"
// TODO(zanderso): https://github.com/flutter/flutter/issues/127701
// NOLINTBEGIN(bugprone-unchecked-optional-access)
namespace flutter {
namespace testing {
using ColorFilterLayerTest = LayerTest;
#ifndef NDEBUG
TEST_F(ColorFilterLayerTest, PaintingEmptyLayerDies) {
auto layer = std::make_shared<ColorFilterLayer>(nullptr);
layer->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), kEmptyRect);
EXPECT_EQ(layer->child_paint_bounds(), kEmptyRect);
EXPECT_FALSE(layer->needs_painting(paint_context()));
EXPECT_DEATH_IF_SUPPORTED(layer->Paint(paint_context()),
"needs_painting\\(context\\)");
}
TEST_F(ColorFilterLayerTest, PaintBeforePrerollDies) {
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
auto mock_layer = std::make_shared<MockLayer>(child_path);
auto layer = std::make_shared<ColorFilterLayer>(nullptr);
layer->Add(mock_layer);
EXPECT_EQ(layer->paint_bounds(), kEmptyRect);
EXPECT_EQ(layer->child_paint_bounds(), kEmptyRect);
EXPECT_DEATH_IF_SUPPORTED(layer->Paint(paint_context()),
"needs_painting\\(context\\)");
}
#endif
TEST_F(ColorFilterLayerTest, EmptyFilter) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
const DlPaint child_paint = DlPaint(DlColor::kYellow());
auto mock_layer = std::make_shared<MockLayer>(child_path, child_paint);
auto layer = std::make_shared<ColorFilterLayer>(nullptr);
layer->Add(mock_layer);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), child_bounds);
EXPECT_EQ(layer->child_paint_bounds(), child_bounds);
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer->parent_matrix(), initial_transform);
layer->Paint(display_list_paint_context());
DisplayListBuilder expected_builder;
/* (ColorFilter)layer::Paint */ {
expected_builder.Save();
{
/* mock_layer::Paint */ {
expected_builder.DrawPath(child_path, child_paint);
}
}
expected_builder.Restore();
}
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_builder.Build()));
}
TEST_F(ColorFilterLayerTest, SimpleFilter) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 20.5f, 21.5f);
const SkPath child_path = SkPath().addRect(child_bounds);
const DlPaint child_paint = DlPaint(DlColor::kYellow());
auto dl_color_filter = DlLinearToSrgbGammaColorFilter::kInstance;
auto mock_layer = std::make_shared<MockLayer>(child_path, child_paint);
auto layer = std::make_shared<ColorFilterLayer>(dl_color_filter);
layer->Add(mock_layer);
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), child_bounds);
EXPECT_EQ(layer->child_paint_bounds(), child_bounds);
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer->parent_matrix(), initial_transform);
DisplayListBuilder expected_builder;
/* ColorFilterLayer::Paint() */ {
DlPaint dl_paint;
dl_paint.setColorFilter(dl_color_filter.get());
expected_builder.SaveLayer(&child_bounds, &dl_paint);
{
/* MockLayer::Paint() */ {
expected_builder.DrawPath(child_path, DlPaint(DlColor::kYellow()));
}
}
}
expected_builder.Restore();
auto expected_display_list = expected_builder.Build();
layer->Paint(display_list_paint_context());
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_display_list));
}
TEST_F(ColorFilterLayerTest, MultipleChildren) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 2.5f, 3.5f);
const SkPath child_path1 = SkPath().addRect(child_bounds);
const SkPath child_path2 =
SkPath().addRect(child_bounds.makeOffset(3.0f, 0.0f));
const DlPaint child_paint1 = DlPaint(DlColor::kYellow());
const DlPaint child_paint2 = DlPaint(DlColor::kCyan());
auto mock_layer1 = std::make_shared<MockLayer>(child_path1, child_paint1);
auto mock_layer2 = std::make_shared<MockLayer>(child_path2, child_paint2);
auto dl_color_filter = DlSrgbToLinearGammaColorFilter::kInstance;
auto layer = std::make_shared<ColorFilterLayer>(dl_color_filter);
layer->Add(mock_layer1);
layer->Add(mock_layer2);
SkRect children_bounds = child_path1.getBounds();
children_bounds.join(child_path2.getBounds());
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer->Preroll(preroll_context());
EXPECT_EQ(mock_layer1->paint_bounds(), child_path1.getBounds());
EXPECT_EQ(mock_layer2->paint_bounds(), child_path2.getBounds());
EXPECT_EQ(layer->paint_bounds(), children_bounds);
EXPECT_EQ(layer->child_paint_bounds(), children_bounds);
EXPECT_TRUE(mock_layer1->needs_painting(paint_context()));
EXPECT_TRUE(mock_layer2->needs_painting(paint_context()));
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(mock_layer1->parent_matrix(), initial_transform);
EXPECT_EQ(mock_layer2->parent_matrix(), initial_transform);
DisplayListBuilder expected_builder;
/* ColorFilterLayer::Paint() */ {
DlPaint dl_paint;
dl_paint.setColorFilter(dl_color_filter.get());
expected_builder.SaveLayer(&children_bounds, &dl_paint);
{
/* MockLayer::Paint() */ {
expected_builder.DrawPath(child_path1, DlPaint(DlColor::kYellow()));
}
/* MockLayer::Paint() */ {
expected_builder.DrawPath(child_path2, DlPaint(DlColor::kCyan()));
}
}
}
expected_builder.Restore();
auto expected_display_list = expected_builder.Build();
layer->Paint(display_list_paint_context());
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_display_list));
}
TEST_F(ColorFilterLayerTest, Nested) {
const SkMatrix initial_transform = SkMatrix::Translate(0.5f, 1.0f);
const SkRect child_bounds = SkRect::MakeLTRB(5.0f, 6.0f, 2.5f, 3.5f);
const SkPath child_path1 = SkPath().addRect(child_bounds);
const SkPath child_path2 =
SkPath().addRect(child_bounds.makeOffset(3.0f, 0.0f));
const DlPaint child_paint1 = DlPaint(DlColor::kYellow());
const DlPaint child_paint2 = DlPaint(DlColor::kCyan());
auto mock_layer1 = std::make_shared<MockLayer>(child_path1, child_paint1);
auto mock_layer2 = std::make_shared<MockLayer>(child_path2, child_paint2);
auto dl_color_filter = DlSrgbToLinearGammaColorFilter::kInstance;
auto layer1 = std::make_shared<ColorFilterLayer>(dl_color_filter);
auto layer2 = std::make_shared<ColorFilterLayer>(dl_color_filter);
layer2->Add(mock_layer2);
layer1->Add(mock_layer1);
layer1->Add(layer2);
SkRect children_bounds = child_path1.getBounds();
children_bounds.join(child_path2.getBounds());
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer1->Preroll(preroll_context());
EXPECT_EQ(mock_layer1->paint_bounds(), child_path1.getBounds());
EXPECT_EQ(mock_layer2->paint_bounds(), child_path2.getBounds());
EXPECT_EQ(layer1->paint_bounds(), children_bounds);
EXPECT_EQ(layer1->child_paint_bounds(), children_bounds);
EXPECT_EQ(layer2->paint_bounds(), mock_layer2->paint_bounds());
EXPECT_EQ(layer2->child_paint_bounds(), mock_layer2->paint_bounds());
EXPECT_TRUE(mock_layer1->needs_painting(paint_context()));
EXPECT_TRUE(mock_layer2->needs_painting(paint_context()));
EXPECT_TRUE(layer1->needs_painting(paint_context()));
EXPECT_TRUE(layer2->needs_painting(paint_context()));
EXPECT_EQ(mock_layer1->parent_matrix(), initial_transform);
EXPECT_EQ(mock_layer2->parent_matrix(), initial_transform);
DisplayListBuilder expected_builder;
/* ColorFilterLayer::Paint() */ {
DlPaint dl_paint;
dl_paint.setColorFilter(dl_color_filter.get());
expected_builder.SaveLayer(&children_bounds, &dl_paint);
{
/* MockLayer::Paint() */ {
expected_builder.DrawPath(child_path1, DlPaint(DlColor::kYellow()));
}
/* ColorFilter::Paint() */ {
DlPaint child_dl_paint;
child_dl_paint.setColor(DlColor::kBlack());
child_dl_paint.setColorFilter(dl_color_filter.get());
expected_builder.SaveLayer(&child_path2.getBounds(), &child_dl_paint);
/* MockLayer::Paint() */ {
expected_builder.DrawPath(child_path2, DlPaint(DlColor::kCyan()));
}
expected_builder.Restore();
}
}
}
expected_builder.Restore();
auto expected_display_list = expected_builder.Build();
layer1->Paint(display_list_paint_context());
EXPECT_TRUE(DisplayListsEQ_Verbose(display_list(), expected_display_list));
}
TEST_F(ColorFilterLayerTest, Readback) {
auto initial_transform = SkMatrix();
// ColorFilterLayer does not read from surface
auto layer = std::make_shared<ColorFilterLayer>(
DlLinearToSrgbGammaColorFilter::kInstance);
preroll_context()->surface_needs_readback = false;
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer->Preroll(preroll_context());
EXPECT_FALSE(preroll_context()->surface_needs_readback);
// ColorFilterLayer blocks child with readback
auto mock_layer = std::make_shared<MockLayer>(SkPath(), DlPaint());
mock_layer->set_fake_reads_surface(true);
layer->Add(mock_layer);
preroll_context()->surface_needs_readback = false;
layer->Preroll(preroll_context());
EXPECT_FALSE(preroll_context()->surface_needs_readback);
}
TEST_F(ColorFilterLayerTest, CacheChild) {
auto layer_filter = DlSrgbToLinearGammaColorFilter::kInstance;
auto initial_transform = SkMatrix::Translate(50.0, 25.5);
auto other_transform = SkMatrix::Scale(1.0, 2.0);
const SkPath child_path = SkPath().addRect(SkRect::MakeWH(5.0f, 5.0f));
DlPaint paint = DlPaint();
auto mock_layer = std::make_shared<MockLayer>(child_path);
auto layer = std::make_shared<ColorFilterLayer>(layer_filter);
layer->Add(mock_layer);
SkMatrix cache_ctm = initial_transform;
DisplayListBuilder cache_canvas;
cache_canvas.Transform(cache_ctm);
DisplayListBuilder other_canvas;
other_canvas.Transform(other_transform);
use_mock_raster_cache();
const auto* cacheable_color_filter_item = layer->raster_cache_item();
EXPECT_EQ(raster_cache()->GetLayerCachedEntriesCount(), (size_t)0);
EXPECT_EQ(cacheable_color_filter_item->cache_state(),
RasterCacheItem::CacheState::kNone);
EXPECT_FALSE(cacheable_color_filter_item->GetId().has_value());
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer->Preroll(preroll_context());
LayerTree::TryToRasterCache(cacheable_items(), &paint_context());
EXPECT_EQ(raster_cache()->GetLayerCachedEntriesCount(), (size_t)1);
EXPECT_EQ(cacheable_color_filter_item->cache_state(),
RasterCacheItem::CacheState::kChildren);
EXPECT_EQ(
cacheable_color_filter_item->GetId().value(),
RasterCacheKeyID(RasterCacheKeyID::LayerChildrenIds(layer.get()).value(),
RasterCacheKeyType::kLayerChildren));
EXPECT_FALSE(raster_cache()->Draw(
cacheable_color_filter_item->GetId().value(), other_canvas, &paint));
EXPECT_TRUE(raster_cache()->Draw(cacheable_color_filter_item->GetId().value(),
cache_canvas, &paint));
}
TEST_F(ColorFilterLayerTest, CacheChildren) {
auto layer_filter = DlSrgbToLinearGammaColorFilter::kInstance;
auto initial_transform = SkMatrix::Translate(50.0, 25.5);
auto other_transform = SkMatrix::Scale(1.0, 2.0);
const SkPath child_path1 = SkPath().addRect(SkRect::MakeWH(5.0f, 5.0f));
const SkPath child_path2 = SkPath().addRect(SkRect::MakeWH(5.0f, 5.0f));
auto mock_layer1 = std::make_shared<MockLayer>(child_path1);
auto mock_layer2 = std::make_shared<MockLayer>(child_path2);
auto layer = std::make_shared<ColorFilterLayer>(layer_filter);
layer->Add(mock_layer1);
layer->Add(mock_layer2);
DlPaint paint = DlPaint();
SkMatrix cache_ctm = initial_transform;
DisplayListBuilder cache_canvas;
cache_canvas.Transform(cache_ctm);
DisplayListBuilder other_canvas;
other_canvas.Transform(other_transform);
use_mock_raster_cache();
EXPECT_EQ(raster_cache()->GetLayerCachedEntriesCount(), (size_t)0);
const auto* cacheable_color_filter_item = layer->raster_cache_item();
EXPECT_EQ(raster_cache()->GetLayerCachedEntriesCount(), (size_t)0);
EXPECT_EQ(cacheable_color_filter_item->cache_state(),
RasterCacheItem::CacheState::kNone);
EXPECT_FALSE(cacheable_color_filter_item->GetId().has_value());
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
layer->Preroll(preroll_context());
LayerTree::TryToRasterCache(cacheable_items(), &paint_context());
EXPECT_EQ(raster_cache()->GetLayerCachedEntriesCount(), (size_t)1);
EXPECT_EQ(cacheable_color_filter_item->cache_state(),
RasterCacheItem::CacheState::kChildren);
EXPECT_EQ(
cacheable_color_filter_item->GetId().value(),
RasterCacheKeyID(RasterCacheKeyID::LayerChildrenIds(layer.get()).value(),
RasterCacheKeyType::kLayerChildren));
EXPECT_FALSE(raster_cache()->Draw(
cacheable_color_filter_item->GetId().value(), other_canvas, &paint));
EXPECT_TRUE(raster_cache()->Draw(cacheable_color_filter_item->GetId().value(),
cache_canvas, &paint));
}
TEST_F(ColorFilterLayerTest, CacheColorFilterLayerSelf) {
auto layer_filter = DlSrgbToLinearGammaColorFilter::kInstance;
auto initial_transform = SkMatrix::Translate(50.0, 25.5);
auto other_transform = SkMatrix::Scale(1.0, 2.0);
const SkPath child_path1 = SkPath().addRect(SkRect::MakeWH(5.0f, 5.0f));
const SkPath child_path2 = SkPath().addRect(SkRect::MakeWH(5.0f, 5.0f));
auto mock_layer1 = std::make_shared<MockLayer>(child_path1);
auto mock_layer2 = std::make_shared<MockLayer>(child_path2);
auto layer = std::make_shared<ColorFilterLayer>(layer_filter);
layer->Add(mock_layer1);
layer->Add(mock_layer2);
DlPaint paint = DlPaint();
SkMatrix cache_ctm = initial_transform;
DisplayListBuilder cache_canvas;
cache_canvas.Transform(cache_ctm);
DisplayListBuilder other_canvas;
other_canvas.Transform(other_transform);
use_mock_raster_cache();
preroll_context()->state_stack.set_preroll_delegate(initial_transform);
const auto* cacheable_color_filter_item = layer->raster_cache_item();
// frame 1.
layer->Preroll(preroll_context());
layer->Paint(paint_context());
// frame 2.
layer->Preroll(preroll_context());
LayerTree::TryToRasterCache(cacheable_items(), &paint_context());
// ColorFilterLayer default cache children.
EXPECT_EQ(cacheable_color_filter_item->cache_state(),
RasterCacheItem::CacheState::kChildren);
EXPECT_TRUE(raster_cache()->Draw(cacheable_color_filter_item->GetId().value(),
cache_canvas, &paint));
EXPECT_FALSE(raster_cache()->Draw(
cacheable_color_filter_item->GetId().value(), other_canvas, &paint));
layer->Paint(paint_context());
// frame 3.
layer->Preroll(preroll_context());
layer->Paint(paint_context());
LayerTree::TryToRasterCache(cacheable_items(), &paint_context());
// frame1,2 cache the ColorFilterLayer's children layer, frame3 cache the
// ColorFilterLayer
EXPECT_EQ(raster_cache()->GetLayerCachedEntriesCount(), (size_t)2);
// ColorFilterLayer default cache itself.
EXPECT_EQ(cacheable_color_filter_item->cache_state(),
RasterCacheItem::CacheState::kCurrent);
EXPECT_EQ(cacheable_color_filter_item->GetId(),
RasterCacheKeyID(layer->unique_id(), RasterCacheKeyType::kLayer));
EXPECT_TRUE(raster_cache()->Draw(cacheable_color_filter_item->GetId().value(),
cache_canvas, &paint));
EXPECT_FALSE(raster_cache()->Draw(
cacheable_color_filter_item->GetId().value(), other_canvas, &paint));
}
TEST_F(ColorFilterLayerTest, OpacityInheritance) {
// clang-format off
float matrix[20] = {
0, 1, 0, 0, 0,
0, 0, 1, 0, 0,
1, 0, 0, 0, 0,
0, 0, 0, 1, 0,
};
// clang-format on
auto layer_filter = DlMatrixColorFilter(matrix);
auto initial_transform = SkMatrix::Translate(50.0, 25.5);
const SkPath child_path = SkPath().addRect(SkRect::MakeWH(5.0f, 5.0f));
auto mock_layer = std::make_shared<MockLayer>(child_path);
auto color_filter_layer = std::make_shared<ColorFilterLayer>(
std::make_shared<DlMatrixColorFilter>(matrix));
color_filter_layer->Add(mock_layer);
PrerollContext* context = preroll_context();
context->state_stack.set_preroll_delegate(initial_transform);
color_filter_layer->Preroll(preroll_context());
// ColorFilterLayer can always inherit opacity whether or not their
// children are compatible.
EXPECT_EQ(context->renderable_state_flags,
LayerStateStack::kCallerCanApplyOpacity);
int opacity_alpha = 0x7F;
SkPoint offset = SkPoint::Make(10, 10);
auto opacity_layer = std::make_shared<OpacityLayer>(opacity_alpha, offset);
opacity_layer->Add(color_filter_layer);
preroll_context()->state_stack.set_preroll_delegate(SkMatrix::I());
opacity_layer->Preroll(context);
EXPECT_TRUE(opacity_layer->children_can_accept_opacity());
DisplayListBuilder expected_builder;
/* OpacityLayer::Paint() */ {
expected_builder.Save();
{
expected_builder.Translate(offset.fX, offset.fY);
/* ColorFilterLayer::Paint() */ {
DlPaint dl_paint;
dl_paint.setColor(DlColor(opacity_alpha << 24));
dl_paint.setColorFilter(&layer_filter);
expected_builder.SaveLayer(&child_path.getBounds(), &dl_paint);
/* MockLayer::Paint() */ {
expected_builder.DrawPath(child_path, DlPaint(DlColor(0xFF000000)));
}
expected_builder.Restore();
}
}
expected_builder.Restore();
}
opacity_layer->Paint(display_list_paint_context());
EXPECT_TRUE(DisplayListsEQ_Verbose(expected_builder.Build(), display_list()));
}
} // namespace testing
} // namespace flutter
// NOLINTEND(bugprone-unchecked-optional-access)
| engine/flow/layers/color_filter_layer_unittests.cc/0 | {
"file_path": "engine/flow/layers/color_filter_layer_unittests.cc",
"repo_id": "engine",
"token_count": 7373
} | 194 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/flow/layers/layer_state_stack.h"
#include "flutter/display_list/utils/dl_matrix_clip_tracker.h"
#include "flutter/flow/layers/layer.h"
#include "flutter/flow/paint_utils.h"
#include "flutter/flow/raster_cache_util.h"
namespace flutter {
// ==============================================================
// Delegate subclasses
// ==============================================================
// The DummyDelegate class implements most Delegate methods as NOP
// but throws errors if the caller starts executing query methods
// that require an active delegate to be tracking. It is specifically
// designed to be immutable, lightweight, and a singleton so that it
// can be substituted into the delegate slot in a LayerStateStack
// quickly and cheaply when no externally supplied delegates are present.
class DummyDelegate : public LayerStateStack::Delegate {
public:
static const std::shared_ptr<DummyDelegate> kInstance;
void decommission() override {}
SkRect local_cull_rect() const override {
error();
return {};
}
SkRect device_cull_rect() const override {
error();
return {};
}
SkM44 matrix_4x4() const override {
error();
return {};
}
SkMatrix matrix_3x3() const override {
error();
return {};
}
bool content_culled(const SkRect& content_bounds) const override {
error();
return true;
}
void save() override {}
void saveLayer(const SkRect& bounds,
LayerStateStack::RenderingAttributes& attributes,
DlBlendMode blend,
const DlImageFilter* backdrop) override {}
void restore() override {}
void translate(SkScalar tx, SkScalar ty) override {}
void transform(const SkM44& m44) override {}
void transform(const SkMatrix& matrix) override {}
void integralTransform() override {}
void clipRect(const SkRect& rect, ClipOp op, bool is_aa) override {}
void clipRRect(const SkRRect& rrect, ClipOp op, bool is_aa) override {}
void clipPath(const SkPath& path, ClipOp op, bool is_aa) override {}
private:
static void error() {
FML_DCHECK(false) << "LayerStateStack state queried without a delegate";
}
};
const std::shared_ptr<DummyDelegate> DummyDelegate::kInstance =
std::make_shared<DummyDelegate>();
class DlCanvasDelegate : public LayerStateStack::Delegate {
public:
explicit DlCanvasDelegate(DlCanvas* canvas)
: canvas_(canvas), initial_save_level_(canvas->GetSaveCount()) {}
void decommission() override { canvas_->RestoreToCount(initial_save_level_); }
DlCanvas* canvas() const override { return canvas_; }
SkRect local_cull_rect() const override {
return canvas_->GetLocalClipBounds();
}
SkRect device_cull_rect() const override {
return canvas_->GetDestinationClipBounds();
}
SkM44 matrix_4x4() const override {
return canvas_->GetTransformFullPerspective();
}
SkMatrix matrix_3x3() const override { return canvas_->GetTransform(); }
bool content_culled(const SkRect& content_bounds) const override {
return canvas_->QuickReject(content_bounds);
}
void save() override { canvas_->Save(); }
void saveLayer(const SkRect& bounds,
LayerStateStack::RenderingAttributes& attributes,
DlBlendMode blend_mode,
const DlImageFilter* backdrop) override {
TRACE_EVENT0("flutter", "Canvas::saveLayer");
DlPaint paint;
canvas_->SaveLayer(&bounds, attributes.fill(paint, blend_mode), backdrop);
}
void restore() override { canvas_->Restore(); }
void translate(SkScalar tx, SkScalar ty) override {
canvas_->Translate(tx, ty);
}
void transform(const SkM44& m44) override { canvas_->Transform(m44); }
void transform(const SkMatrix& matrix) override {
canvas_->Transform(matrix);
}
void integralTransform() override {
SkM44 integral;
if (RasterCacheUtil::ComputeIntegralTransCTM(matrix_4x4(), &integral)) {
canvas_->SetTransform(integral);
}
}
void clipRect(const SkRect& rect, ClipOp op, bool is_aa) override {
canvas_->ClipRect(rect, op, is_aa);
}
void clipRRect(const SkRRect& rrect, ClipOp op, bool is_aa) override {
canvas_->ClipRRect(rrect, op, is_aa);
}
void clipPath(const SkPath& path, ClipOp op, bool is_aa) override {
canvas_->ClipPath(path, op, is_aa);
}
private:
DlCanvas* canvas_;
const int initial_save_level_;
};
class PrerollDelegate : public LayerStateStack::Delegate {
public:
PrerollDelegate(const SkRect& cull_rect, const SkMatrix& matrix)
: tracker_(cull_rect, matrix) {}
void decommission() override {}
SkM44 matrix_4x4() const override { return tracker_.matrix_4x4(); }
SkMatrix matrix_3x3() const override { return tracker_.matrix_3x3(); }
SkRect local_cull_rect() const override { return tracker_.local_cull_rect(); }
SkRect device_cull_rect() const override {
return tracker_.device_cull_rect();
}
bool content_culled(const SkRect& content_bounds) const override {
return tracker_.content_culled(content_bounds);
}
void save() override { tracker_.save(); }
void saveLayer(const SkRect& bounds,
LayerStateStack::RenderingAttributes& attributes,
DlBlendMode blend,
const DlImageFilter* backdrop) override {
tracker_.save();
}
void restore() override { tracker_.restore(); }
void translate(SkScalar tx, SkScalar ty) override {
tracker_.translate(tx, ty);
}
void transform(const SkM44& m44) override { tracker_.transform(m44); }
void transform(const SkMatrix& matrix) override {
tracker_.transform(matrix);
}
void integralTransform() override {
if (tracker_.using_4x4_matrix()) {
SkM44 integral;
if (RasterCacheUtil::ComputeIntegralTransCTM(tracker_.matrix_4x4(),
&integral)) {
tracker_.setTransform(integral);
}
} else {
SkMatrix integral;
if (RasterCacheUtil::ComputeIntegralTransCTM(tracker_.matrix_3x3(),
&integral)) {
tracker_.setTransform(integral);
}
}
}
void clipRect(const SkRect& rect, ClipOp op, bool is_aa) override {
tracker_.clipRect(rect, op, is_aa);
}
void clipRRect(const SkRRect& rrect, ClipOp op, bool is_aa) override {
tracker_.clipRRect(rrect, op, is_aa);
}
void clipPath(const SkPath& path, ClipOp op, bool is_aa) override {
tracker_.clipPath(path, op, is_aa);
}
private:
DisplayListMatrixClipTracker tracker_;
};
// ==============================================================
// StateEntry subclasses
// ==============================================================
class SaveEntry : public LayerStateStack::StateEntry {
public:
SaveEntry() = default;
void apply(LayerStateStack* stack) const override {
stack->delegate_->save();
}
void restore(LayerStateStack* stack) const override {
stack->delegate_->restore();
}
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(SaveEntry);
};
class SaveLayerEntry : public LayerStateStack::StateEntry {
public:
SaveLayerEntry(const SkRect& bounds,
DlBlendMode blend_mode,
const LayerStateStack::RenderingAttributes& prev)
: bounds_(bounds), blend_mode_(blend_mode), old_attributes_(prev) {}
void apply(LayerStateStack* stack) const override {
stack->delegate_->saveLayer(bounds_, stack->outstanding_, blend_mode_,
nullptr);
stack->outstanding_ = {};
}
void restore(LayerStateStack* stack) const override {
if (stack->checkerboard_func_) {
DlCanvas* canvas = stack->canvas_delegate();
if (canvas != nullptr) {
(*stack->checkerboard_func_)(canvas, bounds_);
}
}
stack->delegate_->restore();
stack->outstanding_ = old_attributes_;
}
protected:
const SkRect bounds_;
const DlBlendMode blend_mode_;
const LayerStateStack::RenderingAttributes old_attributes_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(SaveLayerEntry);
};
class OpacityEntry : public LayerStateStack::StateEntry {
public:
OpacityEntry(const SkRect& bounds,
SkScalar opacity,
const LayerStateStack::RenderingAttributes& prev)
: bounds_(bounds),
opacity_(opacity),
old_opacity_(prev.opacity),
old_bounds_(prev.save_layer_bounds) {}
void apply(LayerStateStack* stack) const override {
stack->outstanding_.save_layer_bounds = bounds_;
stack->outstanding_.opacity *= opacity_;
}
void restore(LayerStateStack* stack) const override {
stack->outstanding_.save_layer_bounds = old_bounds_;
stack->outstanding_.opacity = old_opacity_;
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushOpacity(DlColor::toAlpha(opacity_));
}
private:
const SkRect bounds_;
const SkScalar opacity_;
const SkScalar old_opacity_;
const SkRect old_bounds_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(OpacityEntry);
};
class ImageFilterEntry : public LayerStateStack::StateEntry {
public:
ImageFilterEntry(const SkRect& bounds,
const std::shared_ptr<const DlImageFilter>& filter,
const LayerStateStack::RenderingAttributes& prev)
: bounds_(bounds),
filter_(filter),
old_filter_(prev.image_filter),
old_bounds_(prev.save_layer_bounds) {}
~ImageFilterEntry() override = default;
void apply(LayerStateStack* stack) const override {
stack->outstanding_.save_layer_bounds = bounds_;
stack->outstanding_.image_filter = filter_;
}
void restore(LayerStateStack* stack) const override {
stack->outstanding_.save_layer_bounds = old_bounds_;
stack->outstanding_.image_filter = old_filter_;
}
// There is no ImageFilter mutator currently
// void update_mutators(MutatorsStack* mutators_stack) const override;
private:
const SkRect bounds_;
const std::shared_ptr<const DlImageFilter> filter_;
const std::shared_ptr<const DlImageFilter> old_filter_;
const SkRect old_bounds_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(ImageFilterEntry);
};
class ColorFilterEntry : public LayerStateStack::StateEntry {
public:
ColorFilterEntry(const SkRect& bounds,
const std::shared_ptr<const DlColorFilter>& filter,
const LayerStateStack::RenderingAttributes& prev)
: bounds_(bounds),
filter_(filter),
old_filter_(prev.color_filter),
old_bounds_(prev.save_layer_bounds) {}
~ColorFilterEntry() override = default;
void apply(LayerStateStack* stack) const override {
stack->outstanding_.save_layer_bounds = bounds_;
stack->outstanding_.color_filter = filter_;
}
void restore(LayerStateStack* stack) const override {
stack->outstanding_.save_layer_bounds = old_bounds_;
stack->outstanding_.color_filter = old_filter_;
}
// There is no ColorFilter mutator currently
// void update_mutators(MutatorsStack* mutators_stack) const override;
private:
const SkRect bounds_;
const std::shared_ptr<const DlColorFilter> filter_;
const std::shared_ptr<const DlColorFilter> old_filter_;
const SkRect old_bounds_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(ColorFilterEntry);
};
class BackdropFilterEntry : public SaveLayerEntry {
public:
BackdropFilterEntry(const SkRect& bounds,
const std::shared_ptr<const DlImageFilter>& filter,
DlBlendMode blend_mode,
const LayerStateStack::RenderingAttributes& prev)
: SaveLayerEntry(bounds, blend_mode, prev), filter_(filter) {}
~BackdropFilterEntry() override = default;
void apply(LayerStateStack* stack) const override {
stack->delegate_->saveLayer(bounds_, stack->outstanding_, blend_mode_,
filter_.get());
stack->outstanding_ = {};
}
void reapply(LayerStateStack* stack) const override {
// On the reapply for subsequent overlay layers, we do not
// want to reapply the backdrop filter, but we do need to
// do a saveLayer to encapsulate the contents and match the
// restore that will be forthcoming. Note that this is not
// perfect if the BlendMode is not associative as we will be
// compositing multiple parts of the content in batches.
// Luckily the most common SrcOver is associative.
SaveLayerEntry::apply(stack);
}
private:
const std::shared_ptr<const DlImageFilter> filter_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(BackdropFilterEntry);
};
class TranslateEntry : public LayerStateStack::StateEntry {
public:
TranslateEntry(SkScalar tx, SkScalar ty) : tx_(tx), ty_(ty) {}
void apply(LayerStateStack* stack) const override {
stack->delegate_->translate(tx_, ty_);
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushTransform(SkMatrix::Translate(tx_, ty_));
}
private:
const SkScalar tx_;
const SkScalar ty_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(TranslateEntry);
};
class TransformMatrixEntry : public LayerStateStack::StateEntry {
public:
explicit TransformMatrixEntry(const SkMatrix& matrix) : matrix_(matrix) {}
void apply(LayerStateStack* stack) const override {
stack->delegate_->transform(matrix_);
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushTransform(matrix_);
}
private:
const SkMatrix matrix_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(TransformMatrixEntry);
};
class TransformM44Entry : public LayerStateStack::StateEntry {
public:
explicit TransformM44Entry(const SkM44& m44) : m44_(m44) {}
void apply(LayerStateStack* stack) const override {
stack->delegate_->transform(m44_);
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushTransform(m44_.asM33());
}
private:
const SkM44 m44_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(TransformM44Entry);
};
class IntegralTransformEntry : public LayerStateStack::StateEntry {
public:
IntegralTransformEntry() = default;
void apply(LayerStateStack* stack) const override {
stack->delegate_->integralTransform();
}
private:
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(IntegralTransformEntry);
};
class ClipRectEntry : public LayerStateStack::StateEntry {
public:
ClipRectEntry(const SkRect& clip_rect, bool is_aa)
: clip_rect_(clip_rect), is_aa_(is_aa) {}
void apply(LayerStateStack* stack) const override {
stack->delegate_->clipRect(clip_rect_, DlCanvas::ClipOp::kIntersect,
is_aa_);
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushClipRect(clip_rect_);
}
private:
const SkRect clip_rect_;
const bool is_aa_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(ClipRectEntry);
};
class ClipRRectEntry : public LayerStateStack::StateEntry {
public:
ClipRRectEntry(const SkRRect& clip_rrect, bool is_aa)
: clip_rrect_(clip_rrect), is_aa_(is_aa) {}
void apply(LayerStateStack* stack) const override {
stack->delegate_->clipRRect(clip_rrect_, DlCanvas::ClipOp::kIntersect,
is_aa_);
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushClipRRect(clip_rrect_);
}
private:
const SkRRect clip_rrect_;
const bool is_aa_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(ClipRRectEntry);
};
class ClipPathEntry : public LayerStateStack::StateEntry {
public:
ClipPathEntry(const SkPath& clip_path, bool is_aa)
: clip_path_(clip_path), is_aa_(is_aa) {}
~ClipPathEntry() override = default;
void apply(LayerStateStack* stack) const override {
stack->delegate_->clipPath(clip_path_, DlCanvas::ClipOp::kIntersect,
is_aa_);
}
void update_mutators(MutatorsStack* mutators_stack) const override {
mutators_stack->PushClipPath(clip_path_);
}
private:
const SkPath clip_path_;
const bool is_aa_;
FML_DISALLOW_COPY_ASSIGN_AND_MOVE(ClipPathEntry);
};
// ==============================================================
// RenderingAttributes methods
// ==============================================================
DlPaint* LayerStateStack::RenderingAttributes::fill(DlPaint& paint,
DlBlendMode mode) const {
DlPaint* ret = nullptr;
if (opacity < SK_Scalar1) {
paint.setOpacity(std::max(opacity, 0.0f));
ret = &paint;
} else {
paint.setOpacity(SK_Scalar1);
}
paint.setColorFilter(color_filter);
if (color_filter) {
ret = &paint;
}
paint.setImageFilter(image_filter);
if (image_filter) {
ret = &paint;
}
paint.setBlendMode(mode);
if (mode != DlBlendMode::kSrcOver) {
ret = &paint;
}
return ret;
}
// ==============================================================
// MutatorContext methods
// ==============================================================
using MutatorContext = LayerStateStack::MutatorContext;
void MutatorContext::saveLayer(const SkRect& bounds) {
layer_state_stack_->save_layer(bounds);
}
void MutatorContext::applyOpacity(const SkRect& bounds, SkScalar opacity) {
if (opacity < SK_Scalar1) {
layer_state_stack_->push_opacity(bounds, opacity);
}
}
void MutatorContext::applyImageFilter(
const SkRect& bounds,
const std::shared_ptr<const DlImageFilter>& filter) {
if (filter) {
layer_state_stack_->push_image_filter(bounds, filter);
}
}
void MutatorContext::applyColorFilter(
const SkRect& bounds,
const std::shared_ptr<const DlColorFilter>& filter) {
if (filter) {
layer_state_stack_->push_color_filter(bounds, filter);
}
}
void MutatorContext::applyBackdropFilter(
const SkRect& bounds,
const std::shared_ptr<const DlImageFilter>& filter,
DlBlendMode blend_mode) {
layer_state_stack_->push_backdrop(bounds, filter, blend_mode);
}
void MutatorContext::translate(SkScalar tx, SkScalar ty) {
if (!(tx == 0 && ty == 0)) {
layer_state_stack_->maybe_save_layer_for_transform(save_needed_);
save_needed_ = false;
layer_state_stack_->push_translate(tx, ty);
}
}
void MutatorContext::transform(const SkMatrix& matrix) {
if (matrix.isTranslate()) {
translate(matrix.getTranslateX(), matrix.getTranslateY());
} else if (!matrix.isIdentity()) {
layer_state_stack_->maybe_save_layer_for_transform(save_needed_);
save_needed_ = false;
layer_state_stack_->push_transform(matrix);
}
}
void MutatorContext::transform(const SkM44& m44) {
if (DisplayListMatrixClipTracker::is_3x3(m44)) {
transform(m44.asM33());
} else {
layer_state_stack_->maybe_save_layer_for_transform(save_needed_);
save_needed_ = false;
layer_state_stack_->push_transform(m44);
}
}
void MutatorContext::integralTransform() {
layer_state_stack_->maybe_save_layer_for_transform(save_needed_);
save_needed_ = false;
layer_state_stack_->push_integral_transform();
}
void MutatorContext::clipRect(const SkRect& rect, bool is_aa) {
layer_state_stack_->maybe_save_layer_for_clip(save_needed_);
save_needed_ = false;
layer_state_stack_->push_clip_rect(rect, is_aa);
}
void MutatorContext::clipRRect(const SkRRect& rrect, bool is_aa) {
layer_state_stack_->maybe_save_layer_for_clip(save_needed_);
save_needed_ = false;
layer_state_stack_->push_clip_rrect(rrect, is_aa);
}
void MutatorContext::clipPath(const SkPath& path, bool is_aa) {
layer_state_stack_->maybe_save_layer_for_clip(save_needed_);
save_needed_ = false;
layer_state_stack_->push_clip_path(path, is_aa);
}
// ==============================================================
// LayerStateStack methods
// ==============================================================
LayerStateStack::LayerStateStack() : delegate_(DummyDelegate::kInstance) {}
void LayerStateStack::clear_delegate() {
delegate_->decommission();
delegate_ = DummyDelegate::kInstance;
}
void LayerStateStack::set_delegate(DlCanvas* canvas) {
if (delegate_) {
if (canvas == delegate_->canvas()) {
return;
}
clear_delegate();
}
if (canvas) {
delegate_ = std::make_shared<DlCanvasDelegate>(canvas);
reapply_all();
}
}
void LayerStateStack::set_preroll_delegate(const SkRect& cull_rect) {
set_preroll_delegate(cull_rect, SkMatrix::I());
}
void LayerStateStack::set_preroll_delegate(const SkMatrix& matrix) {
set_preroll_delegate(kGiantRect, matrix);
}
void LayerStateStack::set_preroll_delegate(const SkRect& cull_rect,
const SkMatrix& matrix) {
clear_delegate();
delegate_ = std::make_shared<PrerollDelegate>(cull_rect, matrix);
reapply_all();
}
void LayerStateStack::reapply_all() {
// We use a local RenderingAttributes instance so that it can track the
// necessary state changes independently as they occur in the stack.
// Reusing |outstanding_| would wreak havoc on the current state of
// the stack. When we are finished, though, the local attributes
// contents should match the current outstanding_ values;
RenderingAttributes attributes = outstanding_;
outstanding_ = {};
for (auto& state : state_stack_) {
state->reapply(this);
}
FML_DCHECK(attributes == outstanding_);
}
void LayerStateStack::fill(MutatorsStack* mutators) {
for (auto& state : state_stack_) {
state->update_mutators(mutators);
}
}
void LayerStateStack::restore_to_count(size_t restore_count) {
while (state_stack_.size() > restore_count) {
state_stack_.back()->restore(this);
state_stack_.pop_back();
}
}
void LayerStateStack::push_opacity(const SkRect& bounds, SkScalar opacity) {
maybe_save_layer(opacity);
state_stack_.emplace_back(
std::make_unique<OpacityEntry>(bounds, opacity, outstanding_));
apply_last_entry();
}
void LayerStateStack::push_color_filter(
const SkRect& bounds,
const std::shared_ptr<const DlColorFilter>& filter) {
maybe_save_layer(filter);
state_stack_.emplace_back(
std::make_unique<ColorFilterEntry>(bounds, filter, outstanding_));
apply_last_entry();
}
void LayerStateStack::push_image_filter(
const SkRect& bounds,
const std::shared_ptr<const DlImageFilter>& filter) {
maybe_save_layer(filter);
state_stack_.emplace_back(
std::make_unique<ImageFilterEntry>(bounds, filter, outstanding_));
apply_last_entry();
}
void LayerStateStack::push_backdrop(
const SkRect& bounds,
const std::shared_ptr<const DlImageFilter>& filter,
DlBlendMode blend_mode) {
state_stack_.emplace_back(std::make_unique<BackdropFilterEntry>(
bounds, filter, blend_mode, outstanding_));
apply_last_entry();
}
void LayerStateStack::push_translate(SkScalar tx, SkScalar ty) {
state_stack_.emplace_back(std::make_unique<TranslateEntry>(tx, ty));
apply_last_entry();
}
void LayerStateStack::push_transform(const SkM44& m44) {
state_stack_.emplace_back(std::make_unique<TransformM44Entry>(m44));
apply_last_entry();
}
void LayerStateStack::push_transform(const SkMatrix& matrix) {
state_stack_.emplace_back(std::make_unique<TransformMatrixEntry>(matrix));
apply_last_entry();
}
void LayerStateStack::push_integral_transform() {
state_stack_.emplace_back(std::make_unique<IntegralTransformEntry>());
apply_last_entry();
}
void LayerStateStack::push_clip_rect(const SkRect& rect, bool is_aa) {
state_stack_.emplace_back(std::make_unique<ClipRectEntry>(rect, is_aa));
apply_last_entry();
}
void LayerStateStack::push_clip_rrect(const SkRRect& rrect, bool is_aa) {
state_stack_.emplace_back(std::make_unique<ClipRRectEntry>(rrect, is_aa));
apply_last_entry();
}
void LayerStateStack::push_clip_path(const SkPath& path, bool is_aa) {
state_stack_.emplace_back(std::make_unique<ClipPathEntry>(path, is_aa));
apply_last_entry();
}
bool LayerStateStack::needs_save_layer(int flags) const {
if (outstanding_.opacity < SK_Scalar1 &&
(flags & LayerStateStack::kCallerCanApplyOpacity) == 0) {
return true;
}
if (outstanding_.image_filter &&
(flags & LayerStateStack::kCallerCanApplyImageFilter) == 0) {
return true;
}
if (outstanding_.color_filter &&
(flags & LayerStateStack::kCallerCanApplyColorFilter) == 0) {
return true;
}
return false;
}
void LayerStateStack::do_save() {
state_stack_.emplace_back(std::make_unique<SaveEntry>());
apply_last_entry();
}
void LayerStateStack::save_layer(const SkRect& bounds) {
state_stack_.emplace_back(std::make_unique<SaveLayerEntry>(
bounds, DlBlendMode::kSrcOver, outstanding_));
apply_last_entry();
}
void LayerStateStack::maybe_save_layer_for_transform(bool save_needed) {
// Alpha and ColorFilter don't care about transform
if (outstanding_.image_filter) {
save_layer(outstanding_.save_layer_bounds);
} else if (save_needed) {
do_save();
}
}
void LayerStateStack::maybe_save_layer_for_clip(bool save_needed) {
// Alpha and ColorFilter don't care about clipping
// - Alpha of clipped content == clip of alpha content
// - Color-filtering of clipped content == clip of color-filtered content
if (outstanding_.image_filter) {
save_layer(outstanding_.save_layer_bounds);
} else if (save_needed) {
do_save();
}
}
void LayerStateStack::maybe_save_layer(int apply_flags) {
if (needs_save_layer(apply_flags)) {
save_layer(outstanding_.save_layer_bounds);
}
}
void LayerStateStack::maybe_save_layer(SkScalar opacity) {
if (outstanding_.image_filter) {
save_layer(outstanding_.save_layer_bounds);
}
}
void LayerStateStack::maybe_save_layer(
const std::shared_ptr<const DlColorFilter>& filter) {
if (outstanding_.color_filter || outstanding_.image_filter ||
(outstanding_.opacity < SK_Scalar1 &&
!filter->can_commute_with_opacity())) {
// TBD: compose the 2 color filters together.
save_layer(outstanding_.save_layer_bounds);
}
}
void LayerStateStack::maybe_save_layer(
const std::shared_ptr<const DlImageFilter>& filter) {
if (outstanding_.image_filter) {
// TBD: compose the 2 image filters together.
save_layer(outstanding_.save_layer_bounds);
}
}
} // namespace flutter
| engine/flow/layers/layer_state_stack.cc/0 | {
"file_path": "engine/flow/layers/layer_state_stack.cc",
"repo_id": "engine",
"token_count": 9449
} | 195 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FLOW_LAYERS_PLATFORM_VIEW_LAYER_H_
#define FLUTTER_FLOW_LAYERS_PLATFORM_VIEW_LAYER_H_
#include "flutter/display_list/skia/dl_sk_canvas.h"
#include "flutter/flow/layers/layer.h"
#include "third_party/skia/include/core/SkPoint.h"
#include "third_party/skia/include/core/SkSize.h"
namespace flutter {
class PlatformViewLayer : public Layer {
public:
PlatformViewLayer(const SkPoint& offset, const SkSize& size, int64_t view_id);
void Preroll(PrerollContext* context) override;
void Paint(PaintContext& context) const override;
private:
SkPoint offset_;
SkSize size_;
int64_t view_id_;
FML_DISALLOW_COPY_AND_ASSIGN(PlatformViewLayer);
};
} // namespace flutter
#endif // FLUTTER_FLOW_LAYERS_PLATFORM_VIEW_LAYER_H_
| engine/flow/layers/platform_view_layer.h/0 | {
"file_path": "engine/flow/layers/platform_view_layer.h",
"repo_id": "engine",
"token_count": 338
} | 196 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/flow/raster_cache.h"
#include <cstddef>
#include <vector>
#include "flutter/common/constants.h"
#include "flutter/display_list/skia/dl_sk_dispatcher.h"
#include "flutter/flow/layers/container_layer.h"
#include "flutter/flow/layers/layer.h"
#include "flutter/flow/paint_utils.h"
#include "flutter/flow/raster_cache_util.h"
#include "flutter/fml/logging.h"
#include "flutter/fml/trace_event.h"
#include "third_party/skia/include/core/SkCanvas.h"
#include "third_party/skia/include/core/SkColorSpace.h"
#include "third_party/skia/include/core/SkImage.h"
#include "third_party/skia/include/core/SkSurface.h"
#include "third_party/skia/include/gpu/GrDirectContext.h"
#include "third_party/skia/include/gpu/ganesh/SkSurfaceGanesh.h"
namespace flutter {
RasterCacheResult::RasterCacheResult(sk_sp<DlImage> image,
const SkRect& logical_rect,
const char* type,
sk_sp<const DlRTree> rtree)
: image_(std::move(image)),
logical_rect_(logical_rect),
flow_(type),
rtree_(std::move(rtree)) {}
void RasterCacheResult::draw(DlCanvas& canvas,
const DlPaint* paint,
bool preserve_rtree) const {
DlAutoCanvasRestore auto_restore(&canvas, true);
auto matrix = RasterCacheUtil::GetIntegralTransCTM(canvas.GetTransform());
SkRect bounds =
RasterCacheUtil::GetRoundedOutDeviceBounds(logical_rect_, matrix);
FML_DCHECK(std::abs(bounds.width() - image_->dimensions().width()) <= 1 &&
std::abs(bounds.height() - image_->dimensions().height()) <= 1);
canvas.TransformReset();
flow_.Step();
if (!preserve_rtree || !rtree_) {
canvas.DrawImage(image_, {bounds.fLeft, bounds.fTop},
DlImageSampling::kNearestNeighbor, paint);
} else {
// On some platforms RTree from overlay layers is used for unobstructed
// platform views and hit testing. To preserve the RTree raster cache must
// paint individual rects instead of the whole image.
auto rects = rtree_->region().getRects(true);
canvas.Translate(bounds.fLeft, bounds.fTop);
SkRect rtree_bounds =
RasterCacheUtil::GetRoundedOutDeviceBounds(rtree_->bounds(), matrix);
for (auto rect : rects) {
SkRect device_rect = RasterCacheUtil::GetRoundedOutDeviceBounds(
SkRect::Make(rect), matrix);
device_rect.offset(-rtree_bounds.fLeft, -rtree_bounds.fTop);
canvas.DrawImageRect(image_, device_rect, device_rect,
DlImageSampling::kNearestNeighbor, paint);
}
}
}
RasterCache::RasterCache(size_t access_threshold,
size_t display_list_cache_limit_per_frame)
: access_threshold_(access_threshold),
display_list_cache_limit_per_frame_(display_list_cache_limit_per_frame) {}
/// @note Procedure doesn't copy all closures.
std::unique_ptr<RasterCacheResult> RasterCache::Rasterize(
const RasterCache::Context& context,
sk_sp<const DlRTree> rtree,
const std::function<void(DlCanvas*)>& draw_function,
const std::function<void(DlCanvas*, const SkRect& rect)>& draw_checkerboard)
const {
auto matrix = RasterCacheUtil::GetIntegralTransCTM(context.matrix);
SkRect dest_rect =
RasterCacheUtil::GetRoundedOutDeviceBounds(context.logical_rect, matrix);
const SkImageInfo image_info = SkImageInfo::MakeN32Premul(
dest_rect.width(), dest_rect.height(), context.dst_color_space);
sk_sp<SkSurface> surface =
context.gr_context
? SkSurfaces::RenderTarget(context.gr_context, skgpu::Budgeted::kYes,
image_info)
: SkSurfaces::Raster(image_info);
if (!surface) {
return nullptr;
}
DlSkCanvasAdapter canvas(surface->getCanvas());
canvas.Clear(DlColor::kTransparent());
canvas.Translate(-dest_rect.left(), -dest_rect.top());
canvas.Transform(matrix);
draw_function(&canvas);
if (checkerboard_images_) {
draw_checkerboard(&canvas, context.logical_rect);
}
auto image = DlImage::Make(surface->makeImageSnapshot());
return std::make_unique<RasterCacheResult>(
image, context.logical_rect, context.flow_type, std::move(rtree));
}
bool RasterCache::UpdateCacheEntry(
const RasterCacheKeyID& id,
const Context& raster_cache_context,
const std::function<void(DlCanvas*)>& render_function,
sk_sp<const DlRTree> rtree) const {
RasterCacheKey key = RasterCacheKey(id, raster_cache_context.matrix);
Entry& entry = cache_[key];
if (!entry.image) {
void (*func)(DlCanvas*, const SkRect& rect) = DrawCheckerboard;
entry.image = Rasterize(raster_cache_context, std::move(rtree),
render_function, func);
if (entry.image != nullptr) {
switch (id.type()) {
case RasterCacheKeyType::kDisplayList: {
display_list_cached_this_frame_++;
break;
}
default:
break;
}
return true;
}
}
return entry.image != nullptr;
}
RasterCache::CacheInfo RasterCache::MarkSeen(const RasterCacheKeyID& id,
const SkMatrix& matrix,
bool visible) const {
RasterCacheKey key = RasterCacheKey(id, matrix);
Entry& entry = cache_[key];
entry.encountered_this_frame = true;
entry.visible_this_frame = visible;
if (visible || entry.accesses_since_visible > 0) {
entry.accesses_since_visible++;
}
return {entry.accesses_since_visible, entry.image != nullptr};
}
int RasterCache::GetAccessCount(const RasterCacheKeyID& id,
const SkMatrix& matrix) const {
RasterCacheKey key = RasterCacheKey(id, matrix);
auto entry = cache_.find(key);
if (entry != cache_.cend()) {
return entry->second.accesses_since_visible;
}
return -1;
}
bool RasterCache::HasEntry(const RasterCacheKeyID& id,
const SkMatrix& matrix) const {
RasterCacheKey key = RasterCacheKey(id, matrix);
if (cache_.find(key) != cache_.cend()) {
return true;
}
return false;
}
bool RasterCache::Draw(const RasterCacheKeyID& id,
DlCanvas& canvas,
const DlPaint* paint,
bool preserve_rtree) const {
auto it = cache_.find(RasterCacheKey(id, canvas.GetTransform()));
if (it == cache_.end()) {
return false;
}
Entry& entry = it->second;
if (entry.image) {
entry.image->draw(canvas, paint, preserve_rtree);
return true;
}
return false;
}
void RasterCache::BeginFrame() {
display_list_cached_this_frame_ = 0;
picture_metrics_ = {};
layer_metrics_ = {};
}
void RasterCache::UpdateMetrics() {
for (auto it = cache_.begin(); it != cache_.end(); ++it) {
Entry& entry = it->second;
FML_DCHECK(entry.encountered_this_frame);
if (entry.image) {
RasterCacheMetrics& metrics = GetMetricsForKind(it->first.kind());
metrics.in_use_count++;
metrics.in_use_bytes += entry.image->image_bytes();
}
entry.encountered_this_frame = false;
}
}
void RasterCache::EvictUnusedCacheEntries() {
std::vector<RasterCacheKey::Map<Entry>::iterator> dead;
for (auto it = cache_.begin(); it != cache_.end(); ++it) {
Entry& entry = it->second;
if (!entry.encountered_this_frame) {
dead.push_back(it);
}
}
for (auto it : dead) {
if (it->second.image) {
RasterCacheMetrics& metrics = GetMetricsForKind(it->first.kind());
metrics.eviction_count++;
metrics.eviction_bytes += it->second.image->image_bytes();
}
cache_.erase(it);
}
}
void RasterCache::EndFrame() {
UpdateMetrics();
TraceStatsToTimeline();
}
void RasterCache::Clear() {
cache_.clear();
picture_metrics_ = {};
layer_metrics_ = {};
}
size_t RasterCache::GetCachedEntriesCount() const {
return cache_.size();
}
size_t RasterCache::GetLayerCachedEntriesCount() const {
size_t layer_cached_entries_count = 0;
for (const auto& item : cache_) {
if (item.first.kind() == RasterCacheKeyKind::kLayerMetrics) {
layer_cached_entries_count++;
}
}
return layer_cached_entries_count;
}
size_t RasterCache::GetPictureCachedEntriesCount() const {
size_t display_list_cached_entries_count = 0;
for (const auto& item : cache_) {
if (item.first.kind() == RasterCacheKeyKind::kDisplayListMetrics) {
display_list_cached_entries_count++;
}
}
return display_list_cached_entries_count;
}
void RasterCache::SetCheckboardCacheImages(bool checkerboard) {
if (checkerboard_images_ == checkerboard) {
return;
}
checkerboard_images_ = checkerboard;
// Clear all existing entries so previously rasterized items (with or without
// a checkerboard) will be refreshed in subsequent passes.
Clear();
}
void RasterCache::TraceStatsToTimeline() const {
#if !FLUTTER_RELEASE
FML_TRACE_COUNTER(
"flutter", //
"RasterCache", reinterpret_cast<int64_t>(this), //
"LayerCount", layer_metrics_.total_count(), //
"LayerMBytes", layer_metrics_.total_bytes() / kMegaByteSizeInBytes, //
"PictureCount", picture_metrics_.total_count(), //
"PictureMBytes", picture_metrics_.total_bytes() / kMegaByteSizeInBytes);
#endif // !FLUTTER_RELEASE
}
size_t RasterCache::EstimateLayerCacheByteSize() const {
size_t layer_cache_bytes = 0;
for (const auto& item : cache_) {
if (item.first.kind() == RasterCacheKeyKind::kLayerMetrics &&
item.second.image) {
layer_cache_bytes += item.second.image->image_bytes();
}
}
return layer_cache_bytes;
}
size_t RasterCache::EstimatePictureCacheByteSize() const {
size_t picture_cache_bytes = 0;
for (const auto& item : cache_) {
if (item.first.kind() == RasterCacheKeyKind::kDisplayListMetrics &&
item.second.image) {
picture_cache_bytes += item.second.image->image_bytes();
}
}
return picture_cache_bytes;
}
RasterCacheMetrics& RasterCache::GetMetricsForKind(RasterCacheKeyKind kind) {
switch (kind) {
case RasterCacheKeyKind::kDisplayListMetrics:
return picture_metrics_;
case RasterCacheKeyKind::kLayerMetrics:
return layer_metrics_;
}
}
} // namespace flutter
| engine/flow/raster_cache.cc/0 | {
"file_path": "engine/flow/raster_cache.cc",
"repo_id": "engine",
"token_count": 4361
} | 197 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FLOW_STOPWATCH_SK_H_
#define FLUTTER_FLOW_STOPWATCH_SK_H_
#include "flow/stopwatch.h"
#include "include/core/SkSurface.h"
namespace flutter {
//------------------------------------------------------------------------------
/// A stopwatch visualizer that uses Skia (|SkCanvas|) to draw the stopwatch.
///
/// @see DlStopwatchVisualizer for the newer non-backend specific version.
class SkStopwatchVisualizer : public StopwatchVisualizer {
public:
explicit SkStopwatchVisualizer(const Stopwatch& stopwatch)
: StopwatchVisualizer(stopwatch) {}
void Visualize(DlCanvas* canvas, const SkRect& rect) const override;
private:
/// Initializes the |SkSurface| used for drawing the stopwatch.
///
/// Draws the base background and any timing data from before the initial
/// call to |Visualize|.
void InitVisualizeSurface(SkISize size) const;
// Mutable data cache for performance optimization of the graphs.
// Prevents expensive redrawing of old data.
mutable bool cache_dirty_ = true;
mutable sk_sp<SkSurface> visualize_cache_surface_;
mutable size_t prev_drawn_sample_index_ = 0;
};
} // namespace flutter
#endif // FLUTTER_FLOW_STOPWATCH_SK_H_
| engine/flow/stopwatch_sk.h/0 | {
"file_path": "engine/flow/stopwatch_sk.h",
"repo_id": "engine",
"token_count": 408
} | 198 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/flow/testing/mock_layer.h"
#include "flutter/flow/testing/layer_test.h"
#include "flutter/fml/macros.h"
#include "flutter/testing/mock_canvas.h"
namespace flutter {
namespace testing {
using MockLayerTest = LayerTest;
#ifndef NDEBUG
TEST_F(MockLayerTest, PaintBeforePrerollDies) {
SkPath path = SkPath().addRect(5.0f, 6.0f, 20.5f, 21.5f);
auto layer = std::make_shared<MockLayer>(path, DlPaint());
EXPECT_DEATH_IF_SUPPORTED(layer->Paint(paint_context()),
"needs_painting\\(context\\)");
}
TEST_F(MockLayerTest, PaintingEmptyLayerDies) {
auto layer = std::make_shared<MockLayer>(SkPath(), DlPaint());
layer->Preroll(preroll_context());
EXPECT_EQ(layer->paint_bounds(), SkPath().getBounds());
EXPECT_DEATH_IF_SUPPORTED(layer->Paint(paint_context()),
"needs_painting\\(context\\)");
}
#endif
TEST_F(MockLayerTest, SimpleParams) {
const SkPath path = SkPath().addRect(5.0f, 6.0f, 20.5f, 21.5f);
const DlPaint paint = DlPaint(DlColor::kBlue());
const SkMatrix start_matrix = SkMatrix::Translate(1.0f, 2.0f);
const SkMatrix scale_matrix = SkMatrix::Scale(0.5f, 0.5f);
const SkMatrix combined_matrix = SkMatrix::Concat(start_matrix, scale_matrix);
const SkRect local_cull_rect = SkRect::MakeWH(5.0f, 5.0f);
const SkRect device_cull_rect = combined_matrix.mapRect(local_cull_rect);
const bool parent_has_platform_view = true;
auto layer = std::make_shared<MockLayer>(path, paint);
preroll_context()->state_stack.set_preroll_delegate(device_cull_rect,
start_matrix);
auto mutator = preroll_context()->state_stack.save();
mutator.transform(scale_matrix);
preroll_context()->has_platform_view = parent_has_platform_view;
layer->Preroll(preroll_context());
EXPECT_EQ(preroll_context()->has_platform_view, false);
EXPECT_EQ(layer->paint_bounds(), path.getBounds());
EXPECT_TRUE(layer->needs_painting(paint_context()));
EXPECT_EQ(layer->parent_mutators(), std::vector{Mutator(scale_matrix)});
EXPECT_EQ(layer->parent_matrix(), combined_matrix);
EXPECT_EQ(layer->parent_cull_rect(), local_cull_rect);
EXPECT_EQ(layer->parent_has_platform_view(), parent_has_platform_view);
layer->Paint(paint_context());
EXPECT_EQ(mock_canvas().draw_calls(),
std::vector({MockCanvas::DrawCall{
0, MockCanvas::DrawPathData{path, paint}}}));
}
TEST_F(MockLayerTest, FakePlatformView) {
auto layer = std::make_shared<MockLayer>(SkPath(), DlPaint());
layer->set_fake_has_platform_view(true);
EXPECT_EQ(preroll_context()->has_platform_view, false);
layer->Preroll(preroll_context());
EXPECT_EQ(preroll_context()->has_platform_view, true);
}
TEST_F(MockLayerTest, SaveLayerOnLeafNodesCanvas) {
auto layer = std::make_shared<MockLayer>(SkPath(), DlPaint());
layer->set_fake_has_platform_view(true);
EXPECT_EQ(preroll_context()->has_platform_view, false);
layer->Preroll(preroll_context());
EXPECT_EQ(preroll_context()->has_platform_view, true);
}
TEST_F(MockLayerTest, OpacityInheritance) {
auto path1 = SkPath().addRect({10, 10, 30, 30});
PrerollContext* context = preroll_context();
auto mock1 = std::make_shared<MockLayer>(path1);
mock1->Preroll(context);
EXPECT_EQ(context->renderable_state_flags, 0);
auto mock2 = MockLayer::MakeOpacityCompatible(path1);
mock2->Preroll(context);
EXPECT_EQ(context->renderable_state_flags,
LayerStateStack::kCallerCanApplyOpacity);
}
TEST_F(MockLayerTest, FlagGetSet) {
auto mock_layer = std::make_shared<MockLayer>(SkPath());
EXPECT_EQ(mock_layer->parent_has_platform_view(), false);
mock_layer->set_parent_has_platform_view(true);
EXPECT_EQ(mock_layer->parent_has_platform_view(), true);
EXPECT_EQ(mock_layer->parent_has_texture_layer(), false);
mock_layer->set_parent_has_texture_layer(true);
EXPECT_EQ(mock_layer->parent_has_texture_layer(), true);
EXPECT_EQ(mock_layer->fake_has_platform_view(), false);
mock_layer->set_fake_has_platform_view(true);
EXPECT_EQ(mock_layer->fake_has_platform_view(), true);
EXPECT_EQ(mock_layer->fake_reads_surface(), false);
mock_layer->set_fake_reads_surface(true);
EXPECT_EQ(mock_layer->fake_reads_surface(), true);
EXPECT_EQ(mock_layer->fake_opacity_compatible(), false);
mock_layer->set_fake_opacity_compatible(true);
EXPECT_EQ(mock_layer->fake_opacity_compatible(), true);
EXPECT_EQ(mock_layer->fake_has_texture_layer(), false);
mock_layer->set_fake_has_texture_layer(true);
EXPECT_EQ(mock_layer->fake_has_texture_layer(), true);
}
} // namespace testing
} // namespace flutter
| engine/flow/testing/mock_layer_unittests.cc/0 | {
"file_path": "engine/flow/testing/mock_layer_unittests.cc",
"repo_id": "engine",
"token_count": 1894
} | 199 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/flutter_vma/flutter_skia_vma.h"
#include "flutter/fml/memory/ref_ptr.h"
#include "flutter/vulkan/procs/vulkan_handle.h"
#include "flutter/vulkan/procs/vulkan_proc_table.h"
namespace flutter {
sk_sp<skgpu::VulkanMemoryAllocator> FlutterSkiaVulkanMemoryAllocator::Make(
uint32_t vulkan_api_version,
VkInstance instance,
VkPhysicalDevice physicalDevice,
VkDevice device,
const fml::RefPtr<vulkan::VulkanProcTable>& vk,
bool mustUseCoherentHostVisibleMemory) {
#define PROVIDE_PROC(tbl, proc, provider) tbl.vk##proc = provider->proc;
VmaVulkanFunctions proc_table = {};
proc_table.vkGetInstanceProcAddr = vk->NativeGetInstanceProcAddr();
PROVIDE_PROC(proc_table, GetDeviceProcAddr, vk);
PROVIDE_PROC(proc_table, GetPhysicalDeviceProperties, vk);
PROVIDE_PROC(proc_table, GetPhysicalDeviceMemoryProperties, vk);
PROVIDE_PROC(proc_table, AllocateMemory, vk);
PROVIDE_PROC(proc_table, FreeMemory, vk);
PROVIDE_PROC(proc_table, MapMemory, vk);
PROVIDE_PROC(proc_table, UnmapMemory, vk);
PROVIDE_PROC(proc_table, FlushMappedMemoryRanges, vk);
PROVIDE_PROC(proc_table, InvalidateMappedMemoryRanges, vk);
PROVIDE_PROC(proc_table, BindBufferMemory, vk);
PROVIDE_PROC(proc_table, BindImageMemory, vk);
PROVIDE_PROC(proc_table, GetBufferMemoryRequirements, vk);
PROVIDE_PROC(proc_table, GetImageMemoryRequirements, vk);
PROVIDE_PROC(proc_table, CreateBuffer, vk);
PROVIDE_PROC(proc_table, DestroyBuffer, vk);
PROVIDE_PROC(proc_table, CreateImage, vk);
PROVIDE_PROC(proc_table, DestroyImage, vk);
PROVIDE_PROC(proc_table, CmdCopyBuffer, vk);
#define PROVIDE_PROC_COALESCE(tbl, proc, provider) \
tbl.vk##proc##KHR = provider->proc ? provider->proc : provider->proc##KHR;
// See the following link for why we have to pick either KHR version or
// promoted non-KHR version:
// https://github.com/GPUOpen-LibrariesAndSDKs/VulkanMemoryAllocator/issues/203
PROVIDE_PROC_COALESCE(proc_table, GetBufferMemoryRequirements2, vk);
PROVIDE_PROC_COALESCE(proc_table, GetImageMemoryRequirements2, vk);
PROVIDE_PROC_COALESCE(proc_table, BindBufferMemory2, vk);
PROVIDE_PROC_COALESCE(proc_table, BindImageMemory2, vk);
PROVIDE_PROC_COALESCE(proc_table, GetPhysicalDeviceMemoryProperties2, vk);
#undef PROVIDE_PROC_COALESCE
#undef PROVIDE_PROC
VmaAllocatorCreateInfo allocator_info = {};
allocator_info.vulkanApiVersion = vulkan_api_version;
allocator_info.physicalDevice = physicalDevice;
allocator_info.device = device;
allocator_info.instance = instance;
allocator_info.pVulkanFunctions = &proc_table;
VmaAllocator allocator;
vmaCreateAllocator(&allocator_info, &allocator);
return sk_sp<FlutterSkiaVulkanMemoryAllocator>(
new FlutterSkiaVulkanMemoryAllocator(vk, allocator,
mustUseCoherentHostVisibleMemory));
}
FlutterSkiaVulkanMemoryAllocator::FlutterSkiaVulkanMemoryAllocator(
fml::RefPtr<vulkan::VulkanProcTable> vk_proc_table,
VmaAllocator allocator,
bool mustUseCoherentHostVisibleMemory)
: vk_proc_table_(std::move(vk_proc_table)),
allocator_(allocator),
must_use_coherent_host_visible_memory_(mustUseCoherentHostVisibleMemory) {
}
FlutterSkiaVulkanMemoryAllocator::~FlutterSkiaVulkanMemoryAllocator() {
vmaDestroyAllocator(allocator_);
allocator_ = VK_NULL_HANDLE;
}
VkResult FlutterSkiaVulkanMemoryAllocator::allocateImageMemory(
VkImage image,
uint32_t allocationPropertyFlags,
skgpu::VulkanBackendMemory* backendMemory) {
VmaAllocationCreateInfo info;
info.flags = 0;
info.usage = VMA_MEMORY_USAGE_UNKNOWN;
info.requiredFlags = VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT;
info.preferredFlags = 0;
info.memoryTypeBits = 0;
info.pool = VK_NULL_HANDLE;
info.pUserData = nullptr;
if (kDedicatedAllocation_AllocationPropertyFlag & allocationPropertyFlags) {
info.flags |= VMA_ALLOCATION_CREATE_DEDICATED_MEMORY_BIT;
}
if (kLazyAllocation_AllocationPropertyFlag & allocationPropertyFlags) {
info.requiredFlags |= VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT;
}
if (kProtected_AllocationPropertyFlag & allocationPropertyFlags) {
info.requiredFlags |= VK_MEMORY_PROPERTY_PROTECTED_BIT;
}
VmaAllocation allocation;
VkResult result =
vmaAllocateMemoryForImage(allocator_, image, &info, &allocation, nullptr);
if (VK_SUCCESS == result) {
*backendMemory = reinterpret_cast<skgpu::VulkanBackendMemory>(allocation);
}
return result;
}
VkResult FlutterSkiaVulkanMemoryAllocator::allocateBufferMemory(
VkBuffer buffer,
BufferUsage usage,
uint32_t allocationPropertyFlags,
skgpu::VulkanBackendMemory* backendMemory) {
VmaAllocationCreateInfo info;
info.flags = 0;
info.usage = VMA_MEMORY_USAGE_UNKNOWN;
info.memoryTypeBits = 0;
info.pool = VK_NULL_HANDLE;
info.pUserData = nullptr;
switch (usage) {
case BufferUsage::kGpuOnly:
info.requiredFlags = VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT;
info.preferredFlags = 0;
break;
case BufferUsage::kCpuWritesGpuReads:
// When doing cpu writes and gpu reads the general rule of thumb is to use
// coherent memory. Though this depends on the fact that we are not doing
// any cpu reads and the cpu writes are sequential. For sparse writes we'd
// want cpu cached memory, however we don't do these types of writes in
// Skia.
//
// TODO (kaushikiska): In the future there may be times where specific
// types of memory could benefit from a coherent and cached memory.
// Typically these allow for the gpu to read cpu writes from the cache
// without needing to flush the writes throughout the cache. The reverse
// is not true and GPU writes tend to invalidate the cache regardless.
// Also these gpu cache read access are typically lower bandwidth than
// non-cached memory. For now Skia doesn't really have a need or want of
// this type of memory. But if we ever do we could pass in an
// AllocationPropertyFlag that requests the cached property.
info.requiredFlags = VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT |
VK_MEMORY_PROPERTY_HOST_COHERENT_BIT;
info.preferredFlags = VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT;
break;
case BufferUsage::kTransfersFromCpuToGpu:
info.requiredFlags = VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT |
VK_MEMORY_PROPERTY_HOST_COHERENT_BIT;
info.preferredFlags = 0;
break;
case BufferUsage::kTransfersFromGpuToCpu:
info.requiredFlags = VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT;
info.preferredFlags = VK_MEMORY_PROPERTY_HOST_CACHED_BIT;
break;
}
if (must_use_coherent_host_visible_memory_ &&
(info.requiredFlags & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT)) {
info.requiredFlags |= VK_MEMORY_PROPERTY_HOST_COHERENT_BIT;
}
if (kDedicatedAllocation_AllocationPropertyFlag & allocationPropertyFlags) {
info.flags |= VMA_ALLOCATION_CREATE_DEDICATED_MEMORY_BIT;
}
if ((kLazyAllocation_AllocationPropertyFlag & allocationPropertyFlags) &&
BufferUsage::kGpuOnly == usage) {
info.preferredFlags |= VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT;
}
if (kPersistentlyMapped_AllocationPropertyFlag & allocationPropertyFlags) {
SkASSERT(BufferUsage::kGpuOnly != usage);
info.flags |= VMA_ALLOCATION_CREATE_MAPPED_BIT;
}
VmaAllocation allocation;
VkResult result = vmaAllocateMemoryForBuffer(allocator_, buffer, &info,
&allocation, nullptr);
if (VK_SUCCESS == result) {
*backendMemory = reinterpret_cast<skgpu::VulkanBackendMemory>(allocation);
}
return result;
}
void FlutterSkiaVulkanMemoryAllocator::freeMemory(
const skgpu::VulkanBackendMemory& memoryHandle) {
const VmaAllocation allocation =
reinterpret_cast<const VmaAllocation>(memoryHandle);
vmaFreeMemory(allocator_, allocation);
}
void FlutterSkiaVulkanMemoryAllocator::getAllocInfo(
const skgpu::VulkanBackendMemory& memoryHandle,
skgpu::VulkanAlloc* alloc) const {
const VmaAllocation allocation =
reinterpret_cast<const VmaAllocation>(memoryHandle);
VmaAllocationInfo vmaInfo;
vmaGetAllocationInfo(allocator_, allocation, &vmaInfo);
VkMemoryPropertyFlags memFlags;
vmaGetMemoryTypeProperties(allocator_, vmaInfo.memoryType, &memFlags);
uint32_t flags = 0;
if (VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT & memFlags) {
flags |= skgpu::VulkanAlloc::kMappable_Flag;
}
if (!(VK_MEMORY_PROPERTY_HOST_COHERENT_BIT & memFlags)) {
flags |= skgpu::VulkanAlloc::kNoncoherent_Flag;
}
if (VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT & memFlags) {
flags |= skgpu::VulkanAlloc::kLazilyAllocated_Flag;
}
alloc->fMemory = vmaInfo.deviceMemory;
alloc->fOffset = vmaInfo.offset;
alloc->fSize = vmaInfo.size;
alloc->fFlags = flags;
alloc->fBackendMemory = memoryHandle;
}
VkResult FlutterSkiaVulkanMemoryAllocator::mapMemory(
const skgpu::VulkanBackendMemory& memoryHandle,
void** data) {
const VmaAllocation allocation =
reinterpret_cast<const VmaAllocation>(memoryHandle);
return vmaMapMemory(allocator_, allocation, data);
}
void FlutterSkiaVulkanMemoryAllocator::unmapMemory(
const skgpu::VulkanBackendMemory& memoryHandle) {
const VmaAllocation allocation =
reinterpret_cast<const VmaAllocation>(memoryHandle);
vmaUnmapMemory(allocator_, allocation);
}
VkResult FlutterSkiaVulkanMemoryAllocator::flushMemory(
const skgpu::VulkanBackendMemory& memoryHandle,
VkDeviceSize offset,
VkDeviceSize size) {
const VmaAllocation allocation =
reinterpret_cast<const VmaAllocation>(memoryHandle);
return vmaFlushAllocation(allocator_, allocation, offset, size);
}
VkResult FlutterSkiaVulkanMemoryAllocator::invalidateMemory(
const skgpu::VulkanBackendMemory& memoryHandle,
VkDeviceSize offset,
VkDeviceSize size) {
const VmaAllocation allocation =
reinterpret_cast<const VmaAllocation>(memoryHandle);
return vmaInvalidateAllocation(allocator_, allocation, offset, size);
}
std::pair<uint64_t, uint64_t>
FlutterSkiaVulkanMemoryAllocator::totalAllocatedAndUsedMemory() const {
VmaTotalStatistics stats;
vmaCalculateStatistics(allocator_, &stats);
return {stats.total.statistics.blockBytes,
stats.total.statistics.allocationBytes};
}
} // namespace flutter
| engine/flutter_vma/flutter_skia_vma.cc/0 | {
"file_path": "engine/flutter_vma/flutter_skia_vma.cc",
"repo_id": "engine",
"token_count": 3961
} | 200 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FML_CLOSURE_H_
#define FLUTTER_FML_CLOSURE_H_
#include <functional>
#include "flutter/fml/macros.h"
namespace fml {
using closure = std::function<void()>;
//------------------------------------------------------------------------------
/// @brief Wraps a closure that is invoked in the destructor unless
/// released by the caller.
///
/// This is especially useful in dealing with APIs that return a
/// resource by accepting ownership of a sub-resource and a closure
/// that releases that resource. When such APIs are chained, each
/// link in the chain must check that the next member in the chain
/// has accepted the resource. If not, it must invoke the closure
/// eagerly. Not doing this results in a resource leak in the
/// erroneous case. Using this wrapper, the closure can be released
/// once the next call in the chain has successfully accepted
/// ownership of the resource. If not, the closure gets invoked
/// automatically at the end of the scope. This covers the cases
/// where there are early returns as well.
///
class ScopedCleanupClosure final {
public:
ScopedCleanupClosure() = default;
ScopedCleanupClosure(ScopedCleanupClosure&& other) {
closure_ = other.Release();
}
ScopedCleanupClosure& operator=(ScopedCleanupClosure&& other) {
closure_ = other.Release();
return *this;
}
explicit ScopedCleanupClosure(const fml::closure& closure)
: closure_(closure) {}
~ScopedCleanupClosure() {
if (closure_) {
closure_();
}
}
fml::closure SetClosure(const fml::closure& closure) {
auto old_closure = closure_;
closure_ = closure;
return old_closure;
}
fml::closure Release() {
fml::closure closure = closure_;
closure_ = nullptr;
return closure;
}
private:
fml::closure closure_;
FML_DISALLOW_COPY_AND_ASSIGN(ScopedCleanupClosure);
};
} // namespace fml
#endif // FLUTTER_FML_CLOSURE_H_
| engine/fml/closure.h/0 | {
"file_path": "engine/fml/closure.h",
"repo_id": "engine",
"token_count": 764
} | 201 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FML_EINTR_WRAPPER_H_
#define FLUTTER_FML_EINTR_WRAPPER_H_
#include <errno.h>
#include "flutter/fml/build_config.h"
#if defined(FML_OS_WIN)
// Windows has no concept of EINTR.
#define FML_HANDLE_EINTR(x) (x)
#define FML_IGNORE_EINTR(x) (x)
#else
#define FML_HANDLE_EINTR(x) \
({ \
decltype(x) eintr_wrapper_result; \
do { \
eintr_wrapper_result = (x); \
} while (eintr_wrapper_result == -1 && errno == EINTR); \
eintr_wrapper_result; \
})
#define FML_IGNORE_EINTR(x) \
({ \
decltype(x) eintr_wrapper_result; \
do { \
eintr_wrapper_result = (x); \
if (eintr_wrapper_result == -1 && errno == EINTR) { \
eintr_wrapper_result = 0; \
} \
} while (0); \
eintr_wrapper_result; \
})
#endif // defined(FML_OS_WIN)
#endif // FLUTTER_FML_EINTR_WRAPPER_H_
| engine/fml/eintr_wrapper.h/0 | {
"file_path": "engine/fml/eintr_wrapper.h",
"repo_id": "engine",
"token_count": 1000
} | 202 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FML_LOG_SETTINGS_H_
#define FLUTTER_FML_LOG_SETTINGS_H_
#include <string>
#include "flutter/fml/log_level.h"
namespace fml {
// Settings which control the behavior of FML logging.
struct LogSettings {
// The minimum logging level.
// Anything at or above this level will be logged (if applicable).
// Anything below this level will be silently ignored.
//
// The log level defaults to 0 (kLogInfo).
//
// Log messages for FML_VLOG(x) (from flutter/fml/logging.h) are logged
// at level -x, so setting the min log level to negative values enables
// verbose logging.
LogSeverity min_log_level = kLogInfo;
};
// Gets the active log settings for the current process.
void SetLogSettings(const LogSettings& settings);
// Sets the active log settings for the current process.
LogSettings GetLogSettings();
// Gets the minimum log level for the current process. Never returs a value
// higher than kLogFatal.
int GetMinLogLevel();
class ScopedSetLogSettings {
public:
explicit ScopedSetLogSettings(const LogSettings& settings);
~ScopedSetLogSettings();
private:
LogSettings old_settings_;
};
} // namespace fml
#endif // FLUTTER_FML_LOG_SETTINGS_H_
| engine/fml/log_settings.h/0 | {
"file_path": "engine/fml/log_settings.h",
"repo_id": "engine",
"token_count": 408
} | 203 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FML_MEMORY_REF_PTR_INTERNAL_H_
#define FLUTTER_FML_MEMORY_REF_PTR_INTERNAL_H_
#include <utility>
#include "flutter/fml/macros.h"
namespace fml {
template <typename T>
class RefPtr;
template <typename T>
RefPtr<T> AdoptRef(T* ptr);
namespace internal {
// This is a wrapper class that can be friended for a particular |T|, if you
// want to make |T|'s constructor private, but still use |MakeRefCounted()|
// (below). (You can't friend partial specializations.) See |MakeRefCounted()|
// and |FML_FRIEND_MAKE_REF_COUNTED()|.
template <typename T>
class MakeRefCountedHelper final {
public:
template <typename... Args>
static RefPtr<T> MakeRefCounted(Args&&... args) {
return AdoptRef<T>(new T(std::forward<Args>(args)...));
}
};
} // namespace internal
} // namespace fml
#endif // FLUTTER_FML_MEMORY_REF_PTR_INTERNAL_H_
| engine/fml/memory/ref_ptr_internal.h/0 | {
"file_path": "engine/fml/memory/ref_ptr_internal.h",
"repo_id": "engine",
"token_count": 372
} | 204 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/fml/message_loop_task_queues.h"
#include <cassert>
#include <string>
#include <thread>
#include <vector>
#include "flutter/benchmarking/benchmarking.h"
#include "flutter/fml/synchronization/count_down_latch.h"
namespace fml {
namespace benchmarking {
static void BM_RegisterAndGetTasks(benchmark::State& state) { // NOLINT
while (state.KeepRunning()) {
auto task_queue = fml::MessageLoopTaskQueues::GetInstance();
const int num_task_queues = 10;
const int num_tasks_per_queue = 100;
const fml::TimePoint past = fml::TimePoint::Now();
for (int i = 0; i < num_task_queues; i++) {
task_queue->CreateTaskQueue();
}
std::vector<std::thread> threads;
CountDownLatch tasks_registered(num_task_queues);
CountDownLatch tasks_done(num_task_queues);
threads.reserve(num_task_queues);
for (int i = 0; i < num_task_queues; i++) {
threads.emplace_back([task_runner_id = i, &task_queue, past, &tasks_done,
&tasks_registered]() {
for (int j = 0; j < num_tasks_per_queue; j++) {
task_queue->RegisterTask(TaskQueueId(task_runner_id), [] {}, past);
}
tasks_registered.CountDown();
tasks_registered.Wait();
const auto now = fml::TimePoint::Now();
int num_invocations = 0;
for (;;) {
fml::closure invocation =
task_queue->GetNextTaskToRun(TaskQueueId(task_runner_id), now);
if (!invocation) {
break;
}
num_invocations++;
}
assert(num_invocations == num_tasks_per_queue);
tasks_done.CountDown();
});
}
tasks_done.Wait();
for (auto& thread : threads) {
thread.join();
}
}
}
BENCHMARK(BM_RegisterAndGetTasks);
} // namespace benchmarking
} // namespace fml
| engine/fml/message_loop_task_queues_benchmark.cc/0 | {
"file_path": "engine/fml/message_loop_task_queues_benchmark.cc",
"repo_id": "engine",
"token_count": 842
} | 205 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/fml/platform/android/paths_android.h"
#include "flutter/fml/file.h"
namespace fml {
namespace paths {
std::pair<bool, std::string> GetExecutablePath() {
return {false, ""};
}
static std::string gCachesPath;
void InitializeAndroidCachesPath(std::string caches_path) {
gCachesPath = std::move(caches_path);
}
fml::UniqueFD GetCachesDirectory() {
// If the caches path is not initialized, the FD will be invalid and caching
// will be disabled throughout the system.
return OpenDirectory(gCachesPath.c_str(), false, fml::FilePermission::kRead);
}
} // namespace paths
} // namespace fml
| engine/fml/platform/android/paths_android.cc/0 | {
"file_path": "engine/fml/platform/android/paths_android.cc",
"repo_id": "engine",
"token_count": 246
} | 206 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FML_PLATFORM_DARWIN_SCOPED_NSAUTORELEASE_POOL_H_
#define FLUTTER_FML_PLATFORM_DARWIN_SCOPED_NSAUTORELEASE_POOL_H_
#include "flutter/fml/macros.h"
namespace fml {
// Pushes an autorelease pool when constructed and pops it when destructed.
class ScopedNSAutoreleasePool {
public:
ScopedNSAutoreleasePool();
~ScopedNSAutoreleasePool();
private:
void* autorelease_pool_;
FML_DISALLOW_COPY_AND_ASSIGN(ScopedNSAutoreleasePool);
};
} // namespace fml
#endif // FLUTTER_FML_PLATFORM_DARWIN_SCOPED_NSAUTORELEASE_POOL_H_
| engine/fml/platform/darwin/scoped_nsautorelease_pool.h/0 | {
"file_path": "engine/fml/platform/darwin/scoped_nsautorelease_pool.h",
"repo_id": "engine",
"token_count": 264
} | 207 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include <fidl/fuchsia.diagnostics/cpp/fidl.h>
#include <fidl/fuchsia.logger/cpp/fidl.h>
#include <lib/async-loop/cpp/loop.h>
#include <lib/async-loop/default.h>
#include <lib/async-loop/testing/cpp/real_loop.h>
#include <lib/async/dispatcher.h>
#include <lib/component/incoming/cpp/protocol.h>
#include <lib/fidl/cpp/client.h>
#include <lib/fidl/cpp/wire/channel.h>
#include <lib/fidl/cpp/wire/connect_service.h>
#include <lib/fit/defer.h>
#include <lib/fit/result.h>
#include <lib/sys/component/cpp/testing/realm_builder.h>
#include <lib/sys/component/cpp/testing/realm_builder_types.h>
#include <zircon/errors.h>
#include "flutter/fml/log_settings.h"
#include "flutter/fml/platform/fuchsia/log_interest_listener.h"
#include "gtest/gtest.h"
namespace fml {
namespace testing {
constexpr static char kLogSink[] = "log_sink";
class LogInterestListenerFuchsia : public ::loop_fixture::RealLoop,
public ::testing::Test {};
TEST_F(LogInterestListenerFuchsia, SeverityChanges) {
ScopedSetLogSettings backup({.min_log_level = kLogInfo});
{
::fuchsia_diagnostics::Interest interest;
interest.min_severity(::fuchsia_diagnostics::Severity::kTrace);
LogInterestListener::HandleInterestChange(interest);
EXPECT_EQ(GetMinLogLevel(), -1); // VERBOSE
}
{
::fuchsia_diagnostics::Interest interest;
interest.min_severity(::fuchsia_diagnostics::Severity::kInfo);
LogInterestListener::HandleInterestChange(interest);
EXPECT_EQ(GetMinLogLevel(), kLogInfo);
}
{
::fuchsia_diagnostics::Interest interest;
interest.min_severity(::fuchsia_diagnostics::Severity::kError);
LogInterestListener::HandleInterestChange(interest);
EXPECT_EQ(GetMinLogLevel(), kLogError);
}
}
// Class to mock the server end of a LogSink.
class MockLogSink : public component_testing::LocalComponentImpl,
public fidl::Server<fuchsia_logger::LogSink> {
public:
MockLogSink(fit::closure quitLoop, async_dispatcher_t* dispatcher)
: quit_loop_(std::move(quitLoop)), dispatcher_(dispatcher) {}
void WaitForInterestChange(
WaitForInterestChangeCompleter::Sync& completer) override {
if (first_call_) {
// If it has not been called before, then return a result right away.
fuchsia_logger::LogSinkWaitForInterestChangeResponse response = {
{.data = {{.min_severity = fuchsia_diagnostics::Severity::kWarn}}}};
completer.Reply(fit::ok(response));
first_call_ = false;
} else {
// On the second call, don't return a result.
completer_.emplace(completer.ToAsync());
quit_loop_();
}
}
void Connect(fuchsia_logger::LogSinkConnectRequest& request,
ConnectCompleter::Sync& completer) override {}
void ConnectStructured(
fuchsia_logger::LogSinkConnectStructuredRequest& request,
ConnectStructuredCompleter::Sync& completer) override {}
void OnStart() override {
ASSERT_EQ(outgoing()->AddProtocol<fuchsia_logger::LogSink>(
bindings_.CreateHandler(this, dispatcher_,
fidl::kIgnoreBindingClosure)),
ZX_OK);
}
private:
bool first_call_ = true;
fit::closure quit_loop_;
async_dispatcher_t* dispatcher_;
fidl::ServerBindingGroup<fuchsia_logger::LogSink> bindings_;
std::optional<WaitForInterestChangeCompleter::Async> completer_;
};
TEST_F(LogInterestListenerFuchsia, AsyncWaitForInterestChange) {
ScopedSetLogSettings backup({.min_log_level = kLogInfo});
auto realm_builder = component_testing::RealmBuilder::Create();
realm_builder.AddLocalChild(kLogSink, [&]() {
return std::make_unique<MockLogSink>(QuitLoopClosure(), dispatcher());
});
realm_builder.AddRoute(component_testing::Route{
.capabilities = {component_testing::Protocol{
fidl::DiscoverableProtocolName<fuchsia_logger::LogSink>}},
.source = component_testing::ChildRef{kLogSink},
.targets = {component_testing::ParentRef()}});
auto realm = realm_builder.Build(dispatcher());
auto cleanup = fit::defer([&]() {
bool complete = false;
realm.Teardown([&](auto result) { complete = true; });
RunLoopUntil([&]() { return complete; });
});
auto client_end = realm.component().Connect<fuchsia_logger::LogSink>();
ASSERT_TRUE(client_end.is_ok());
LogInterestListener listener(std::move(client_end.value()), dispatcher());
listener.AsyncWaitForInterestChanged();
RunLoop();
EXPECT_EQ(GetMinLogLevel(), kLogWarning);
}
} // namespace testing
} // namespace fml
| engine/fml/platform/fuchsia/log_interest_listener_unittests.cc/0 | {
"file_path": "engine/fml/platform/fuchsia/log_interest_listener_unittests.cc",
"repo_id": "engine",
"token_count": 1794
} | 208 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/fml/native_library.h"
#include <dlfcn.h>
#include <fcntl.h>
namespace fml {
NativeLibrary::NativeLibrary(const char* path) {
::dlerror();
handle_ = ::dlopen(path, RTLD_NOW);
if (handle_ == nullptr) {
FML_DLOG(ERROR) << "Could not open library '" << path << "' due to error '"
<< ::dlerror() << "'.";
}
}
NativeLibrary::NativeLibrary(Handle handle, bool close_handle)
: handle_(handle), close_handle_(close_handle) {}
NativeLibrary::~NativeLibrary() {
if (handle_ == nullptr) {
return;
}
if (close_handle_) {
::dlerror();
if (::dlclose(handle_) != 0) {
handle_ = nullptr;
FML_LOG(ERROR) << "Could not close library due to error '" << ::dlerror()
<< "'.";
}
}
}
NativeLibrary::Handle NativeLibrary::GetHandle() const {
return handle_;
}
fml::RefPtr<NativeLibrary> NativeLibrary::Create(const char* path) {
auto library = fml::AdoptRef(new NativeLibrary(path));
return library->GetHandle() != nullptr ? library : nullptr;
}
fml::RefPtr<NativeLibrary> NativeLibrary::CreateWithHandle(
Handle handle,
bool close_handle_when_done) {
auto library =
fml::AdoptRef(new NativeLibrary(handle, close_handle_when_done));
return library->GetHandle() != nullptr ? library : nullptr;
}
fml::RefPtr<NativeLibrary> NativeLibrary::CreateForCurrentProcess() {
return fml::AdoptRef(new NativeLibrary(RTLD_DEFAULT, false));
}
NativeLibrary::SymbolHandle NativeLibrary::Resolve(const char* symbol) const {
return ::dlsym(handle_, symbol);
}
} // namespace fml
| engine/fml/platform/posix/native_library_posix.cc/0 | {
"file_path": "engine/fml/platform/posix/native_library_posix.cc",
"repo_id": "engine",
"token_count": 627
} | 209 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_FML_STRING_CONVERSION_H_
#define FLUTTER_FML_STRING_CONVERSION_H_
#include <string>
#include <vector>
namespace fml {
// Returns a string joined by the given delimiter.
std::string Join(const std::vector<std::string>& vec, const char* delimiter);
// Returns a UTF-8 encoded equivalent of a UTF-16 encoded input string.
std::string Utf16ToUtf8(const std::u16string_view string);
// Returns a UTF-16 encoded equivalent of a UTF-8 encoded input string.
std::u16string Utf8ToUtf16(const std::string_view string);
} // namespace fml
#endif // FLUTTER_FML_STRING_CONVERSION_H_
| engine/fml/string_conversion.h/0 | {
"file_path": "engine/fml/string_conversion.h",
"repo_id": "engine",
"token_count": 245
} | 210 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// Provides classes with functionality analogous to (but much more limited than)
// Chromium's |base::WaitableEvent|, which in turn provides functionality
// analogous to Windows's Event. (Unlike these two, we have separate types for
// the manual- and auto-reset versions.)
#ifndef FLUTTER_FML_SYNCHRONIZATION_WAITABLE_EVENT_H_
#define FLUTTER_FML_SYNCHRONIZATION_WAITABLE_EVENT_H_
#include <condition_variable>
#include <mutex>
#include "flutter/fml/macros.h"
#include "flutter/fml/time/time_delta.h"
namespace fml {
// AutoResetWaitableEvent ------------------------------------------------------
// An event that can be signaled and waited on. This version automatically
// returns to the unsignaled state after unblocking one waiter. (This is similar
// to Windows's auto-reset Event, which is also imitated by Chromium's
// auto-reset |base::WaitableEvent|. However, there are some limitations -- see
// |Signal()|.) This class is thread-safe.
class AutoResetWaitableEvent final {
public:
AutoResetWaitableEvent() {}
~AutoResetWaitableEvent() {}
// Put the event in the signaled state. Exactly one |Wait()| will be unblocked
// and the event will be returned to the unsignaled state.
//
// Notes (these are arguably bugs, but not worth working around):
// * That |Wait()| may be one that occurs on the calling thread, *after* the
// call to |Signal()|.
// * A |Signal()|, followed by a |Reset()|, may cause *no* waiting thread to
// be unblocked.
// * We rely on pthreads's queueing for picking which waiting thread to
// unblock, rather than enforcing FIFO ordering.
void Signal();
// Put the event into the unsignaled state. Generally, this is not recommended
// on an auto-reset event (see notes above).
void Reset();
// Blocks the calling thread until the event is signaled. Upon unblocking, the
// event is returned to the unsignaled state, so that (unless |Reset()| is
// called) each |Signal()| unblocks exactly one |Wait()|.
void Wait();
// Like |Wait()|, but with a timeout. Also unblocks if |timeout| expires
// without being signaled in which case it returns true (otherwise, it returns
// false).
bool WaitWithTimeout(TimeDelta timeout);
// Returns whether this event is in a signaled state or not. For use in tests
// only (in general, this is racy). Note: Unlike
// |base::WaitableEvent::IsSignaled()|, this doesn't reset the signaled state.
bool IsSignaledForTest();
private:
std::condition_variable cv_;
std::mutex mutex_;
// True if this event is in the signaled state.
bool signaled_ = false;
FML_DISALLOW_COPY_AND_ASSIGN(AutoResetWaitableEvent);
};
// ManualResetWaitableEvent ----------------------------------------------------
// An event that can be signaled and waited on. This version remains signaled
// until explicitly reset. (This is similar to Windows's manual-reset Event,
// which is also imitated by Chromium's manual-reset |base::WaitableEvent|.)
// This class is thread-safe.
class ManualResetWaitableEvent final {
public:
ManualResetWaitableEvent() {}
~ManualResetWaitableEvent() {}
// Put the event into the unsignaled state.
void Reset();
// Put the event in the signaled state. If this is a manual-reset event, it
// wakes all waiting threads (blocked on |Wait()| or |WaitWithTimeout()|).
// Otherwise, it wakes a single waiting thread (and returns to the unsignaled
// state), if any; if there are none, it remains signaled.
void Signal();
// Blocks the calling thread until the event is signaled.
void Wait();
// Like |Wait()|, but with a timeout. Also unblocks if |timeout| expires
// without being signaled in which case it returns true (otherwise, it returns
// false).
bool WaitWithTimeout(TimeDelta timeout);
// Returns whether this event is in a signaled state or not. For use in tests
// only (in general, this is racy).
bool IsSignaledForTest();
private:
std::condition_variable cv_;
std::mutex mutex_;
// True if this event is in the signaled state.
bool signaled_ = false;
// While |std::condition_variable::notify_all()| (|pthread_cond_broadcast()|)
// will wake all waiting threads, one has to deal with spurious wake-ups.
// Checking |signaled_| isn't sufficient, since another thread may have been
// awoken and (manually) reset |signaled_|. This is a counter that is
// incremented in |Signal()| before calling
// |std::condition_variable::notify_all()|. A waiting thread knows it was
// awoken if |signal_id_| is different from when it started waiting.
unsigned signal_id_ = 0u;
FML_DISALLOW_COPY_AND_ASSIGN(ManualResetWaitableEvent);
};
} // namespace fml
#endif // FLUTTER_FML_SYNCHRONIZATION_WAITABLE_EVENT_H_
| engine/fml/synchronization/waitable_event.h/0 | {
"file_path": "engine/fml/synchronization/waitable_event.h",
"repo_id": "engine",
"token_count": 1413
} | 211 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/fml/time/time_point.h"
#include <atomic>
#include "flutter/fml/build_config.h"
#include "flutter/fml/logging.h"
#if defined(OS_FUCHSIA)
#include <zircon/syscalls.h>
#else
#include <chrono>
#endif
namespace fml {
#if defined(OS_FUCHSIA)
// static
TimePoint TimePoint::Now() {
return TimePoint(zx_clock_get_monotonic());
}
TimePoint TimePoint::CurrentWallTime() {
return Now();
}
void TimePoint::SetClockSource(ClockSource source) {}
#else
namespace {
std::atomic<TimePoint::ClockSource> gSteadyClockSource;
}
template <typename Clock, typename Duration>
static int64_t NanosSinceEpoch(
std::chrono::time_point<Clock, Duration> time_point) {
const auto elapsed = time_point.time_since_epoch();
return std::chrono::duration_cast<std::chrono::nanoseconds>(elapsed).count();
}
void TimePoint::SetClockSource(ClockSource source) {
gSteadyClockSource = source;
}
TimePoint TimePoint::Now() {
if (gSteadyClockSource) {
return gSteadyClockSource.load()();
}
const int64_t nanos = NanosSinceEpoch(std::chrono::steady_clock::now());
return TimePoint(nanos);
}
TimePoint TimePoint::CurrentWallTime() {
const int64_t nanos = NanosSinceEpoch(std::chrono::system_clock::now());
return TimePoint(nanos);
}
#endif
} // namespace fml
| engine/fml/time/time_point.cc/0 | {
"file_path": "engine/fml/time/time_point.cc",
"repo_id": "engine",
"token_count": 507
} | 212 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/impeller/aiks/aiks_unittests.h"
#include "impeller/aiks/canvas.h"
#include "impeller/entity/contents/filters/gaussian_blur_filter_contents.h"
#include "impeller/entity/render_target_cache.h"
#include "impeller/geometry/path_builder.h"
#include "impeller/playground/widgets.h"
#include "impeller/renderer/testing/mocks.h"
#include "third_party/imgui/imgui.h"
////////////////////////////////////////////////////////////////////////////////
// This is for tests of Canvas that are interested the results of rendering
// blurs.
////////////////////////////////////////////////////////////////////////////////
namespace impeller {
namespace testing {
TEST_P(AiksTest, CanRenderMaskBlurHugeSigma) {
Canvas canvas;
canvas.DrawCircle({400, 400}, 300,
{.color = Color::Green(),
.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma(99999),
}});
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, CanRenderForegroundBlendWithMaskBlur) {
// This case triggers the ForegroundPorterDuffBlend path. The color filter
// should apply to the color only, and respect the alpha mask.
Canvas canvas;
canvas.ClipRect(Rect::MakeXYWH(100, 150, 400, 400));
canvas.DrawCircle({400, 400}, 200,
{
.color = Color::White(),
.color_filter = ColorFilter::MakeBlend(
BlendMode::kSource, Color::Green()),
.mask_blur_descriptor =
Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Radius(20),
},
});
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, CanRenderForegroundAdvancedBlendWithMaskBlur) {
// This case triggers the ForegroundAdvancedBlend path. The color filter
// should apply to the color only, and respect the alpha mask.
Canvas canvas;
canvas.ClipRect(Rect::MakeXYWH(100, 150, 400, 400));
canvas.DrawCircle({400, 400}, 200,
{
.color = Color::Grey(),
.color_filter = ColorFilter::MakeBlend(
BlendMode::kColor, Color::Green()),
.mask_blur_descriptor =
Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Radius(20),
},
});
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, CanRenderBackdropBlurInteractive) {
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
static PlaygroundPoint point_a(Point(50, 50), 30, Color::White());
static PlaygroundPoint point_b(Point(300, 200), 30, Color::White());
auto [a, b] = DrawPlaygroundLine(point_a, point_b);
Canvas canvas;
canvas.DrawCircle({100, 100}, 50, {.color = Color::CornflowerBlue()});
canvas.DrawCircle({300, 200}, 100, {.color = Color::GreenYellow()});
canvas.DrawCircle({140, 170}, 75, {.color = Color::DarkMagenta()});
canvas.DrawCircle({180, 120}, 100, {.color = Color::OrangeRed()});
canvas.ClipRRect(Rect::MakeLTRB(a.x, a.y, b.x, b.y), {20, 20});
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(20.0), Sigma(20.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
TEST_P(AiksTest, CanRenderBackdropBlur) {
Canvas canvas;
canvas.DrawCircle({100, 100}, 50, {.color = Color::CornflowerBlue()});
canvas.DrawCircle({300, 200}, 100, {.color = Color::GreenYellow()});
canvas.DrawCircle({140, 170}, 75, {.color = Color::DarkMagenta()});
canvas.DrawCircle({180, 120}, 100, {.color = Color::OrangeRed()});
canvas.ClipRRect(Rect::MakeLTRB(75, 50, 375, 275), {20, 20});
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(30.0), Sigma(30.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, CanRenderBackdropBlurHugeSigma) {
Canvas canvas;
canvas.DrawCircle({400, 400}, 300, {.color = Color::Green()});
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(999999), Sigma(999999),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, CanRenderClippedBlur) {
Canvas canvas;
canvas.ClipRect(Rect::MakeXYWH(100, 150, 400, 400));
canvas.DrawCircle(
{400, 400}, 200,
{
.color = Color::Green(),
.image_filter = ImageFilter::MakeBlur(
Sigma(20.0), Sigma(20.0), FilterContents::BlurStyle::kNormal,
Entity::TileMode::kDecal),
});
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, ClippedBlurFilterRendersCorrectlyInteractive) {
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
static PlaygroundPoint playground_point(Point(400, 400), 20,
Color::Green());
auto point = DrawPlaygroundPoint(playground_point);
Canvas canvas;
canvas.Translate(point - Point(400, 400));
Paint paint;
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Radius{120 * 3},
};
paint.color = Color::Red();
PathBuilder builder{};
builder.AddRect(Rect::MakeLTRB(0, 0, 800, 800));
canvas.DrawPath(builder.TakePath(), paint);
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
TEST_P(AiksTest, ClippedBlurFilterRendersCorrectly) {
Canvas canvas;
canvas.Translate(Point(0, -400));
Paint paint;
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Radius{120 * 3},
};
paint.color = Color::Red();
PathBuilder builder{};
builder.AddRect(Rect::MakeLTRB(0, 0, 800, 800));
canvas.DrawPath(builder.TakePath(), paint);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, ClearBlendWithBlur) {
Canvas canvas;
Paint white;
white.color = Color::Blue();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 600.0, 600.0), white);
Paint clear;
clear.blend_mode = BlendMode::kClear;
clear.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma(20),
};
canvas.DrawCircle(Point::MakeXY(300.0, 300.0), 200.0, clear);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, BlurHasNoEdge) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({});
Paint blur = {
.color = Color::Green(),
.mask_blur_descriptor =
Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma(47.6),
},
};
canvas.DrawRect(Rect::MakeXYWH(300, 300, 200, 200), blur);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, BlurredRectangleWithShader) {
Canvas canvas;
canvas.Scale(GetContentScale());
auto paint_lines = [&canvas](Scalar dx, Scalar dy, Paint paint) {
auto draw_line = [&canvas, &paint](Point a, Point b) {
canvas.DrawPath(PathBuilder{}.AddLine(a, b).TakePath(), paint);
};
paint.stroke_width = 5;
paint.style = Paint::Style::kStroke;
draw_line(Point(dx + 100, dy + 100), Point(dx + 200, dy + 200));
draw_line(Point(dx + 100, dy + 200), Point(dx + 200, dy + 100));
draw_line(Point(dx + 150, dy + 100), Point(dx + 200, dy + 150));
draw_line(Point(dx + 100, dy + 150), Point(dx + 150, dy + 200));
};
AiksContext renderer(GetContext(), nullptr);
Canvas recorder_canvas;
for (int x = 0; x < 5; ++x) {
for (int y = 0; y < 5; ++y) {
Rect rect = Rect::MakeXYWH(x * 20, y * 20, 20, 20);
Paint paint{.color =
((x + y) & 1) == 0 ? Color::Yellow() : Color::Blue()};
recorder_canvas.DrawRect(rect, paint);
}
}
Picture picture = recorder_canvas.EndRecordingAsPicture();
std::shared_ptr<Texture> texture =
picture.ToImage(renderer, ISize{100, 100})->GetTexture();
ColorSource image_source = ColorSource::MakeImage(
texture, Entity::TileMode::kRepeat, Entity::TileMode::kRepeat, {}, {});
std::shared_ptr<ImageFilter> blur_filter = ImageFilter::MakeBlur(
Sigma(5), Sigma(5), FilterContents::BlurStyle::kNormal,
Entity::TileMode::kDecal);
canvas.DrawRect(Rect::MakeLTRB(0, 0, 300, 600),
Paint{.color = Color::DarkGreen()});
canvas.DrawRect(Rect::MakeLTRB(100, 100, 200, 200),
Paint{.color_source = image_source});
canvas.DrawRect(Rect::MakeLTRB(300, 0, 600, 600),
Paint{.color = Color::Red()});
canvas.DrawRect(
Rect::MakeLTRB(400, 100, 500, 200),
Paint{.color_source = image_source, .image_filter = blur_filter});
paint_lines(0, 300, Paint{.color_source = image_source});
paint_lines(300, 300,
Paint{.color_source = image_source, .image_filter = blur_filter});
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, MaskBlurWithZeroSigmaIsSkipped) {
Canvas canvas;
Paint paint = {
.color = Color::Blue(),
.mask_blur_descriptor =
Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma(0),
},
};
canvas.DrawCircle({300, 300}, 200, paint);
canvas.DrawRect(Rect::MakeLTRB(100, 300, 500, 600), paint);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
struct MaskBlurTestConfig {
FilterContents::BlurStyle style = FilterContents::BlurStyle::kNormal;
Scalar sigma = 1.0f;
Scalar alpha = 1.0f;
std::shared_ptr<ImageFilter> image_filter;
bool invert_colors = false;
BlendMode blend_mode = BlendMode::kSourceOver;
};
static Picture MaskBlurVariantTest(const AiksTest& test_context,
const MaskBlurTestConfig& config) {
Canvas canvas;
canvas.Scale(test_context.GetContentScale());
canvas.Scale(Vector2{0.8f, 0.8f});
Paint paint;
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma{1},
};
canvas.DrawPaint({.color = Color::AntiqueWhite()});
paint.mask_blur_descriptor->style = config.style;
paint.mask_blur_descriptor->sigma = Sigma{config.sigma};
paint.image_filter = config.image_filter;
paint.invert_colors = config.invert_colors;
paint.blend_mode = config.blend_mode;
const Scalar x = 50;
const Scalar radius = 20.0f;
const Scalar y_spacing = 100.0f;
Scalar y = 50;
paint.color = Color::Crimson().WithAlpha(config.alpha);
canvas.DrawRect(Rect::MakeXYWH(x + 25 - radius / 2, y + radius / 2, //
radius, 60.0f - radius),
paint);
y += y_spacing;
paint.color = Color::Blue().WithAlpha(config.alpha);
canvas.DrawCircle({x + 25, y + 25}, radius, paint);
y += y_spacing;
paint.color = Color::Green().WithAlpha(config.alpha);
canvas.DrawOval(Rect::MakeXYWH(x + 25 - radius / 2, y + radius / 2, //
radius, 60.0f - radius),
paint);
y += y_spacing;
paint.color = Color::Purple().WithAlpha(config.alpha);
canvas.DrawRRect(Rect::MakeXYWH(x, y, 60.0f, 60.0f), //
{radius, radius}, //
paint);
y += y_spacing;
paint.color = Color::Orange().WithAlpha(config.alpha);
canvas.DrawRRect(Rect::MakeXYWH(x, y, 60.0f, 60.0f), //
{radius, 5.0f}, paint);
y += y_spacing;
paint.color = Color::Maroon().WithAlpha(config.alpha);
canvas.DrawPath(PathBuilder{}
.MoveTo({x + 0, y + 60})
.LineTo({x + 30, y + 0})
.LineTo({x + 60, y + 60})
.Close()
.TakePath(),
paint);
y += y_spacing;
paint.color = Color::Maroon().WithAlpha(config.alpha);
canvas.DrawPath(PathBuilder{}
.AddArc(Rect::MakeXYWH(x + 5, y, 50, 50),
Radians{kPi / 2}, Radians{kPi})
.AddArc(Rect::MakeXYWH(x + 25, y, 50, 50),
Radians{kPi / 2}, Radians{kPi})
.Close()
.TakePath(),
paint);
return canvas.EndRecordingAsPicture();
}
static const std::map<std::string, MaskBlurTestConfig> kPaintVariations = {
// 1. Normal style, translucent, zero sigma.
{"NormalTranslucentZeroSigma",
{.style = FilterContents::BlurStyle::kNormal,
.sigma = 0.0f,
.alpha = 0.5f}},
// 2. Normal style, translucent.
{"NormalTranslucent",
{.style = FilterContents::BlurStyle::kNormal,
.sigma = 8.0f,
.alpha = 0.5f}},
// 3. Solid style, translucent.
{"SolidTranslucent",
{.style = FilterContents::BlurStyle::kSolid,
.sigma = 8.0f,
.alpha = 0.5f}},
// 4. Solid style, opaque.
{"SolidOpaque",
{.style = FilterContents::BlurStyle::kSolid, .sigma = 8.0f}},
// 5. Solid style, translucent, color & image filtered.
{"SolidTranslucentWithFilters",
{.style = FilterContents::BlurStyle::kSolid,
.sigma = 8.0f,
.alpha = 0.5f,
.image_filter = ImageFilter::MakeBlur(Sigma{3},
Sigma{3},
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp),
.invert_colors = true}},
// 6. Solid style, translucent, exclusion blended.
{"SolidTranslucentExclusionBlend",
{.style = FilterContents::BlurStyle::kSolid,
.sigma = 8.0f,
.alpha = 0.5f,
.blend_mode = BlendMode::kExclusion}},
// 7. Inner style, translucent.
{"InnerTranslucent",
{.style = FilterContents::BlurStyle::kInner,
.sigma = 8.0f,
.alpha = 0.5f}},
// 8. Inner style, translucent, blurred.
{"InnerTranslucentWithBlurImageFilter",
{.style = FilterContents::BlurStyle::kInner,
.sigma = 8.0f,
.alpha = 0.5f,
.image_filter = ImageFilter::MakeBlur(Sigma{3},
Sigma{3},
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp)}},
// 9. Outer style, translucent.
{"OuterTranslucent",
{.style = FilterContents::BlurStyle::kOuter,
.sigma = 8.0f,
.alpha = 0.5f}},
// 10. Outer style, opaque, image filtered.
{"OuterOpaqueWithBlurImageFilter",
{.style = FilterContents::BlurStyle::kOuter,
.sigma = 8.0f,
.image_filter = ImageFilter::MakeBlur(Sigma{3},
Sigma{3},
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp)}},
};
#define MASK_BLUR_VARIANT_TEST(config) \
TEST_P(AiksTest, MaskBlurVariantTest##config) { \
ASSERT_TRUE(OpenPlaygroundHere( \
MaskBlurVariantTest(*this, kPaintVariations.at(#config)))); \
}
MASK_BLUR_VARIANT_TEST(NormalTranslucentZeroSigma)
MASK_BLUR_VARIANT_TEST(NormalTranslucent)
MASK_BLUR_VARIANT_TEST(SolidTranslucent)
MASK_BLUR_VARIANT_TEST(SolidOpaque)
MASK_BLUR_VARIANT_TEST(SolidTranslucentWithFilters)
MASK_BLUR_VARIANT_TEST(SolidTranslucentExclusionBlend)
MASK_BLUR_VARIANT_TEST(InnerTranslucent)
MASK_BLUR_VARIANT_TEST(InnerTranslucentWithBlurImageFilter)
MASK_BLUR_VARIANT_TEST(OuterTranslucent)
MASK_BLUR_VARIANT_TEST(OuterOpaqueWithBlurImageFilter)
#undef MASK_BLUR_VARIANT_TEST
TEST_P(AiksTest, GaussianBlurAtPeripheryVertical) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawRRect(Rect::MakeLTRB(0, 0, GetWindowSize().width, 100),
Size(10, 10), Paint{.color = Color::LimeGreen()});
canvas.DrawRRect(Rect::MakeLTRB(0, 110, GetWindowSize().width, 210),
Size(10, 10), Paint{.color = Color::Magenta()});
canvas.ClipRect(Rect::MakeLTRB(100, 0, 200, GetWindowSize().height));
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(20.0), Sigma(20.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurAtPeripheryHorizontal) {
Canvas canvas;
canvas.Scale(GetContentScale());
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
canvas.DrawImageRect(
std::make_shared<Image>(boston),
Rect::MakeXYWH(0, 0, boston->GetSize().width, boston->GetSize().height),
Rect::MakeLTRB(0, 0, GetWindowSize().width, 100), Paint{});
canvas.DrawRRect(Rect::MakeLTRB(0, 110, GetWindowSize().width, 210),
Size(10, 10), Paint{.color = Color::Magenta()});
canvas.ClipRect(Rect::MakeLTRB(0, 50, GetWindowSize().width, 150));
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(20.0), Sigma(20.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
#define FLT_FORWARD(mock, real, method) \
EXPECT_CALL(*mock, method()) \
.WillRepeatedly(::testing::Return(real->method()));
TEST_P(AiksTest, GaussianBlurWithoutDecalSupport) {
if (GetParam() != PlaygroundBackend::kMetal) {
GTEST_SKIP_(
"This backend doesn't yet support setting device capabilities.");
}
if (!WillRenderSomething()) {
// Sometimes these tests are run without playgrounds enabled which is
// pointless for this test since we are asserting that
// `SupportsDecalSamplerAddressMode` is called.
GTEST_SKIP_("This test requires playgrounds.");
}
std::shared_ptr<const Capabilities> old_capabilities =
GetContext()->GetCapabilities();
auto mock_capabilities = std::make_shared<MockCapabilities>();
EXPECT_CALL(*mock_capabilities, SupportsDecalSamplerAddressMode())
.Times(::testing::AtLeast(1))
.WillRepeatedly(::testing::Return(false));
FLT_FORWARD(mock_capabilities, old_capabilities, GetDefaultColorFormat);
FLT_FORWARD(mock_capabilities, old_capabilities, GetDefaultStencilFormat);
FLT_FORWARD(mock_capabilities, old_capabilities,
GetDefaultDepthStencilFormat);
FLT_FORWARD(mock_capabilities, old_capabilities, SupportsOffscreenMSAA);
FLT_FORWARD(mock_capabilities, old_capabilities,
SupportsImplicitResolvingMSAA);
FLT_FORWARD(mock_capabilities, old_capabilities, SupportsReadFromResolve);
FLT_FORWARD(mock_capabilities, old_capabilities, SupportsFramebufferFetch);
FLT_FORWARD(mock_capabilities, old_capabilities, SupportsSSBO);
FLT_FORWARD(mock_capabilities, old_capabilities, SupportsCompute);
FLT_FORWARD(mock_capabilities, old_capabilities,
SupportsTextureToTextureBlits);
FLT_FORWARD(mock_capabilities, old_capabilities, GetDefaultGlyphAtlasFormat);
ASSERT_TRUE(SetCapabilities(mock_capabilities).ok());
auto texture = std::make_shared<Image>(CreateTextureForFixture("boston.jpg"));
Canvas canvas;
canvas.Scale(GetContentScale() * 0.5);
canvas.DrawPaint({.color = Color::Black()});
canvas.DrawImage(
texture, Point(200, 200),
{
.image_filter = ImageFilter::MakeBlur(
Sigma(20.0), Sigma(20.0), FilterContents::BlurStyle::kNormal,
Entity::TileMode::kDecal),
});
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurOneDimension) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.Scale({0.5, 0.5, 1.0});
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
canvas.DrawImage(std::make_shared<Image>(boston), Point(100, 100), Paint{});
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(50.0), Sigma(0.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
// Smoketest to catch issues with the coverage hint.
// Draws a rotated blurred image within a rectangle clip. The center of the clip
// rectangle is the center of the rotated image. The entire area of the clip
// rectangle should be filled with opaque colors output by the blur.
TEST_P(AiksTest, GaussianBlurRotatedAndClipped) {
Canvas canvas;
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
Rect bounds =
Rect::MakeXYWH(0, 0, boston->GetSize().width, boston->GetSize().height);
Vector2 image_center = Vector2(bounds.GetSize() / 2);
Paint paint = {.image_filter =
ImageFilter::MakeBlur(Sigma(20.0), Sigma(20.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kDecal)};
Vector2 clip_size = {150, 75};
Vector2 center = Vector2(1024, 768) / 2;
canvas.Scale(GetContentScale());
canvas.ClipRect(
Rect::MakeLTRB(center.x, center.y, center.x, center.y).Expand(clip_size));
canvas.Translate({center.x, center.y, 0});
canvas.Scale({0.6, 0.6, 1});
canvas.Rotate(Degrees(25));
canvas.DrawImageRect(std::make_shared<Image>(boston), /*source=*/bounds,
/*dest=*/bounds.Shift(-image_center), paint);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurScaledAndClipped) {
Canvas canvas;
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
Rect bounds =
Rect::MakeXYWH(0, 0, boston->GetSize().width, boston->GetSize().height);
Vector2 image_center = Vector2(bounds.GetSize() / 2);
Paint paint = {.image_filter =
ImageFilter::MakeBlur(Sigma(20.0), Sigma(20.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kDecal)};
Vector2 clip_size = {150, 75};
Vector2 center = Vector2(1024, 768) / 2;
canvas.Scale(GetContentScale());
canvas.ClipRect(
Rect::MakeLTRB(center.x, center.y, center.x, center.y).Expand(clip_size));
canvas.Translate({center.x, center.y, 0});
canvas.Scale({0.6, 0.6, 1});
canvas.DrawImageRect(std::make_shared<Image>(boston), /*source=*/bounds,
/*dest=*/bounds.Shift(-image_center), paint);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurRotatedAndClippedInteractive) {
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
const char* tile_mode_names[] = {"Clamp", "Repeat", "Mirror", "Decal"};
const Entity::TileMode tile_modes[] = {
Entity::TileMode::kClamp, Entity::TileMode::kRepeat,
Entity::TileMode::kMirror, Entity::TileMode::kDecal};
static float rotation = 0;
static float scale = 0.6;
static int selected_tile_mode = 3;
if (AiksTest::ImGuiBegin("Controls", nullptr,
ImGuiWindowFlags_AlwaysAutoResize)) {
ImGui::SliderFloat("Rotation (degrees)", &rotation, -180, 180);
ImGui::SliderFloat("Scale", &scale, 0, 2.0);
ImGui::Combo("Tile mode", &selected_tile_mode, tile_mode_names,
sizeof(tile_mode_names) / sizeof(char*));
ImGui::End();
}
Canvas canvas;
Rect bounds =
Rect::MakeXYWH(0, 0, boston->GetSize().width, boston->GetSize().height);
Vector2 image_center = Vector2(bounds.GetSize() / 2);
Paint paint = {.image_filter =
ImageFilter::MakeBlur(Sigma(20.0), Sigma(20.0),
FilterContents::BlurStyle::kNormal,
tile_modes[selected_tile_mode])};
static PlaygroundPoint point_a(Point(362, 309), 20, Color::Red());
static PlaygroundPoint point_b(Point(662, 459), 20, Color::Red());
auto [handle_a, handle_b] = DrawPlaygroundLine(point_a, point_b);
Vector2 center = Vector2(1024, 768) / 2;
canvas.Scale(GetContentScale());
canvas.ClipRect(
Rect::MakeLTRB(handle_a.x, handle_a.y, handle_b.x, handle_b.y));
canvas.Translate({center.x, center.y, 0});
canvas.Scale({scale, scale, 1});
canvas.Rotate(Degrees(rotation));
canvas.DrawImageRect(std::make_shared<Image>(boston), /*source=*/bounds,
/*dest=*/bounds.Shift(-image_center), paint);
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
// This addresses a bug where tiny blurs could result in mip maps that beyond
// the limits for the textures used for blurring.
// See also: b/323402168
TEST_P(AiksTest, GaussianBlurSolidColorTinyMipMap) {
for (int32_t i = 1; i < 5; ++i) {
Canvas canvas;
Scalar fi = i;
canvas.DrawPath(
PathBuilder{}
.MoveTo({100, 100})
.LineTo({100.f + fi, 100.f + fi})
.TakePath(),
{.color = Color::Chartreuse(),
.image_filter = ImageFilter::MakeBlur(
Sigma(0.1), Sigma(0.1), FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp)});
Picture picture = canvas.EndRecordingAsPicture();
std::shared_ptr<RenderTargetCache> cache =
std::make_shared<RenderTargetCache>(
GetContext()->GetResourceAllocator());
AiksContext aiks_context(GetContext(), nullptr, cache);
std::shared_ptr<Image> image = picture.ToImage(aiks_context, {1024, 768});
EXPECT_TRUE(image) << " length " << i;
}
}
// This addresses a bug where tiny blurs could result in mip maps that beyond
// the limits for the textures used for blurring.
// See also: b/323402168
TEST_P(AiksTest, GaussianBlurBackdropTinyMipMap) {
for (int32_t i = 0; i < 5; ++i) {
Canvas canvas;
ISize clip_size = ISize(i, i);
canvas.ClipRect(
Rect::MakeXYWH(400, 400, clip_size.width, clip_size.height));
canvas.DrawCircle(
{400, 400}, 200,
{
.color = Color::Green(),
.image_filter = ImageFilter::MakeBlur(
Sigma(0.1), Sigma(0.1), FilterContents::BlurStyle::kNormal,
Entity::TileMode::kDecal),
});
canvas.Restore();
Picture picture = canvas.EndRecordingAsPicture();
std::shared_ptr<RenderTargetCache> cache =
std::make_shared<RenderTargetCache>(
GetContext()->GetResourceAllocator());
AiksContext aiks_context(GetContext(), nullptr, cache);
std::shared_ptr<Image> image = picture.ToImage(aiks_context, {1024, 768});
EXPECT_TRUE(image) << " clip rect " << i;
}
}
TEST_P(AiksTest, GaussianBlurAnimatedBackdrop) {
// This test is for checking out how stable rendering is when content is
// translated underneath a blur. Animating under a blur can cause
// *shimmering* to happen as a result of pixel alignment.
// See also: https://github.com/flutter/flutter/issues/140193
auto boston = std::make_shared<Image>(
CreateTextureForFixture("boston.jpg", /*enable_mipmapping=*/true));
ASSERT_TRUE(boston);
int64_t count = 0;
Scalar sigma = 20.0;
Scalar freq = 0.1;
Scalar amp = 50.0;
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
if (AiksTest::ImGuiBegin("Controls", nullptr,
ImGuiWindowFlags_AlwaysAutoResize)) {
ImGui::SliderFloat("Sigma", &sigma, 0, 200);
ImGui::SliderFloat("Frequency", &freq, 0.01, 2.0);
ImGui::SliderFloat("Amplitude", &, 1, 100);
ImGui::End();
}
Canvas canvas;
canvas.Scale(GetContentScale());
Scalar y = amp * sin(freq * 2.0 * M_PI * count / 60);
canvas.DrawImage(boston,
Point(1024 / 2 - boston->GetSize().width / 2,
(768 / 2 - boston->GetSize().height / 2) + y),
{});
static PlaygroundPoint point_a(Point(100, 100), 20, Color::Red());
static PlaygroundPoint point_b(Point(900, 700), 20, Color::Red());
auto [handle_a, handle_b] = DrawPlaygroundLine(point_a, point_b);
canvas.ClipRect(
Rect::MakeLTRB(handle_a.x, handle_a.y, handle_b.x, handle_b.y));
canvas.ClipRect(Rect::MakeLTRB(100, 100, 900, 700));
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(sigma), Sigma(sigma),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
count += 1;
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
TEST_P(AiksTest, GaussianBlurStyleInnerGradient) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
std::vector<Color> colors = {Color{0.9568, 0.2627, 0.2118, 1.0},
Color{0.7568, 0.2627, 0.2118, 1.0}};
std::vector<Scalar> stops = {0.0, 1.0};
Paint paint;
paint.color_source = ColorSource::MakeLinearGradient(
{0, 0}, {200, 200}, std::move(colors), std::move(stops),
Entity::TileMode::kMirror, {});
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kInner,
.sigma = Sigma(30),
};
canvas.DrawPath(PathBuilder()
.MoveTo({200, 200})
.LineTo({300, 400})
.LineTo({100, 400})
.Close()
.TakePath(),
paint);
// Draw another thing to make sure the clip area is reset.
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurStyleSolidGradient) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
std::vector<Color> colors = {Color{0.9568, 0.2627, 0.2118, 1.0},
Color{0.7568, 0.2627, 0.2118, 1.0}};
std::vector<Scalar> stops = {0.0, 1.0};
Paint paint;
paint.color_source = ColorSource::MakeLinearGradient(
{0, 0}, {200, 200}, std::move(colors), std::move(stops),
Entity::TileMode::kMirror, {});
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kSolid,
.sigma = Sigma(30),
};
canvas.DrawPath(PathBuilder()
.MoveTo({200, 200})
.LineTo({300, 400})
.LineTo({100, 400})
.Close()
.TakePath(),
paint);
// Draw another thing to make sure the clip area is reset.
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurStyleOuterGradient) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
std::vector<Color> colors = {Color{0.9568, 0.2627, 0.2118, 1.0},
Color{0.7568, 0.2627, 0.2118, 1.0}};
std::vector<Scalar> stops = {0.0, 1.0};
Paint paint;
paint.color_source = ColorSource::MakeLinearGradient(
{0, 0}, {200, 200}, std::move(colors), std::move(stops),
Entity::TileMode::kMirror, {});
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kOuter,
.sigma = Sigma(30),
};
canvas.DrawPath(PathBuilder()
.MoveTo({200, 200})
.LineTo({300, 400})
.LineTo({100, 400})
.Close()
.TakePath(),
paint);
// Draw another thing to make sure the clip area is reset.
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurStyleInner) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
Paint paint;
paint.color = Color::Green();
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kInner,
.sigma = Sigma(30),
};
canvas.DrawPath(PathBuilder()
.MoveTo({200, 200})
.LineTo({300, 400})
.LineTo({100, 400})
.Close()
.TakePath(),
paint);
// Draw another thing to make sure the clip area is reset.
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurStyleOuter) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
Paint paint;
paint.color = Color::Green();
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kOuter,
.sigma = Sigma(30),
};
canvas.DrawPath(PathBuilder()
.MoveTo({200, 200})
.LineTo({300, 400})
.LineTo({100, 400})
.Close()
.TakePath(),
paint);
// Draw another thing to make sure the clip area is reset.
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, GaussianBlurStyleSolid) {
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
Paint paint;
paint.color = Color::Green();
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kSolid,
.sigma = Sigma(30),
};
canvas.DrawPath(PathBuilder()
.MoveTo({200, 200})
.LineTo({300, 400})
.LineTo({100, 400})
.Close()
.TakePath(),
paint);
// Draw another thing to make sure the clip area is reset.
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
ASSERT_TRUE(OpenPlaygroundHere(canvas.EndRecordingAsPicture()));
}
TEST_P(AiksTest, MaskBlurTexture) {
Scalar sigma = 30;
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
if (AiksTest::ImGuiBegin("Controls", nullptr,
ImGuiWindowFlags_AlwaysAutoResize)) {
ImGui::SliderFloat("Sigma", &sigma, 0, 500);
ImGui::End();
}
Canvas canvas;
canvas.Scale(GetContentScale());
Paint paint;
paint.color = Color::Green();
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma(sigma),
};
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
canvas.DrawImage(std::make_shared<Image>(boston), {200, 200}, paint);
Paint red;
red.color = Color::Red();
canvas.DrawRect(Rect::MakeXYWH(0, 0, 200, 200), red);
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
TEST_P(AiksTest, GuassianBlurUpdatesMipmapContents) {
// This makes sure if mip maps are recycled across invocations of blurs the
// contents get updated each frame correctly. If they aren't updated the color
// inside the blur and outside the blur will be different.
//
// If there is some change to render target caching this could display a false
// positive in the future. Also, if the LOD that is rendered is 1 it could
// present a false positive.
int32_t count = 0;
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
Canvas canvas;
if (count++ == 0) {
canvas.DrawCircle({100, 100}, 50, {.color = Color::CornflowerBlue()});
} else {
canvas.DrawCircle({100, 100}, 50, {.color = Color::Chartreuse()});
}
canvas.ClipRRect(Rect::MakeLTRB(75, 50, 375, 275), {20, 20});
canvas.SaveLayer({.blend_mode = BlendMode::kSource}, std::nullopt,
ImageFilter::MakeBlur(Sigma(30.0), Sigma(30.0),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
TEST_P(AiksTest, GaussianBlurSetsMipCountOnPass) {
Canvas canvas;
canvas.DrawCircle({100, 100}, 50, {.color = Color::CornflowerBlue()});
canvas.SaveLayer({}, std::nullopt,
ImageFilter::MakeBlur(Sigma(3), Sigma(3),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
Picture picture = canvas.EndRecordingAsPicture();
EXPECT_EQ(4, picture.pass->GetRequiredMipCount());
}
TEST_P(AiksTest, GaussianBlurAllocatesCorrectMipCountRenderTarget) {
size_t blur_required_mip_count =
GetParam() == PlaygroundBackend::kOpenGLES ? 1 : 4;
Canvas canvas;
canvas.DrawCircle({100, 100}, 50, {.color = Color::CornflowerBlue()});
canvas.SaveLayer({}, std::nullopt,
ImageFilter::MakeBlur(Sigma(3), Sigma(3),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.Restore();
Picture picture = canvas.EndRecordingAsPicture();
std::shared_ptr<RenderTargetCache> cache =
std::make_shared<RenderTargetCache>(GetContext()->GetResourceAllocator());
AiksContext aiks_context(GetContext(), nullptr, cache);
picture.ToImage(aiks_context, {100, 100});
size_t max_mip_count = 0;
for (auto it = cache->GetRenderTargetDataBegin();
it != cache->GetRenderTargetDataEnd(); ++it) {
max_mip_count = std::max(it->config.mip_count, max_mip_count);
}
EXPECT_EQ(max_mip_count, blur_required_mip_count);
}
TEST_P(AiksTest, GaussianBlurMipMapNestedLayer) {
fml::testing::LogCapture log_capture;
size_t blur_required_mip_count =
GetParam() == PlaygroundBackend::kOpenGLES ? 1 : 4;
Canvas canvas;
canvas.DrawPaint({.color = Color::Wheat()});
canvas.SaveLayer({.blend_mode = BlendMode::kMultiply});
canvas.DrawCircle({100, 100}, 50, {.color = Color::CornflowerBlue()});
canvas.SaveLayer({}, std::nullopt,
ImageFilter::MakeBlur(Sigma(30), Sigma(30),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp));
canvas.DrawCircle({200, 200}, 50, {.color = Color::Chartreuse()});
Picture picture = canvas.EndRecordingAsPicture();
std::shared_ptr<RenderTargetCache> cache =
std::make_shared<RenderTargetCache>(GetContext()->GetResourceAllocator());
AiksContext aiks_context(GetContext(), nullptr, cache);
picture.ToImage(aiks_context, {100, 100});
size_t max_mip_count = 0;
for (auto it = cache->GetRenderTargetDataBegin();
it != cache->GetRenderTargetDataEnd(); ++it) {
max_mip_count = std::max(it->config.mip_count, max_mip_count);
}
EXPECT_EQ(max_mip_count, blur_required_mip_count);
// The log is FML_DLOG, so only check in debug builds.
#ifndef NDEBUG
if (GetParam() != PlaygroundBackend::kOpenGLES) {
EXPECT_EQ(log_capture.str().find(GaussianBlurFilterContents::kNoMipsError),
std::string::npos);
} else {
EXPECT_NE(log_capture.str().find(GaussianBlurFilterContents::kNoMipsError),
std::string::npos);
}
#endif
}
TEST_P(AiksTest, GaussianBlurMipMapImageFilter) {
size_t blur_required_mip_count =
GetParam() == PlaygroundBackend::kOpenGLES ? 1 : 4;
fml::testing::LogCapture log_capture;
Canvas canvas;
canvas.SaveLayer(
{.image_filter = ImageFilter::MakeBlur(Sigma(30), Sigma(30),
FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp)});
canvas.DrawCircle({200, 200}, 50, {.color = Color::Chartreuse()});
Picture picture = canvas.EndRecordingAsPicture();
std::shared_ptr<RenderTargetCache> cache =
std::make_shared<RenderTargetCache>(GetContext()->GetResourceAllocator());
AiksContext aiks_context(GetContext(), nullptr, cache);
picture.ToImage(aiks_context, {1024, 768});
size_t max_mip_count = 0;
for (auto it = cache->GetRenderTargetDataBegin();
it != cache->GetRenderTargetDataEnd(); ++it) {
max_mip_count = std::max(it->config.mip_count, max_mip_count);
}
EXPECT_EQ(max_mip_count, blur_required_mip_count);
// The log is FML_DLOG, so only check in debug builds.
#ifndef NDEBUG
if (GetParam() != PlaygroundBackend::kOpenGLES) {
EXPECT_EQ(log_capture.str().find(GaussianBlurFilterContents::kNoMipsError),
std::string::npos);
} else {
EXPECT_NE(log_capture.str().find(GaussianBlurFilterContents::kNoMipsError),
std::string::npos);
}
#endif
}
TEST_P(AiksTest, GaussianBlurMipMapSolidColor) {
size_t blur_required_mip_count =
GetParam() == PlaygroundBackend::kOpenGLES ? 1 : 4;
fml::testing::LogCapture log_capture;
Canvas canvas;
canvas.DrawPath(PathBuilder{}
.MoveTo({100, 100})
.LineTo({200, 100})
.LineTo({150, 200})
.LineTo({50, 200})
.Close()
.TakePath(),
{.color = Color::Chartreuse(),
.image_filter = ImageFilter::MakeBlur(
Sigma(30), Sigma(30), FilterContents::BlurStyle::kNormal,
Entity::TileMode::kClamp)});
Picture picture = canvas.EndRecordingAsPicture();
std::shared_ptr<RenderTargetCache> cache =
std::make_shared<RenderTargetCache>(GetContext()->GetResourceAllocator());
AiksContext aiks_context(GetContext(), nullptr, cache);
picture.ToImage(aiks_context, {1024, 768});
size_t max_mip_count = 0;
for (auto it = cache->GetRenderTargetDataBegin();
it != cache->GetRenderTargetDataEnd(); ++it) {
max_mip_count = std::max(it->config.mip_count, max_mip_count);
}
EXPECT_EQ(max_mip_count, blur_required_mip_count);
// The log is FML_DLOG, so only check in debug builds.
#ifndef NDEBUG
if (GetParam() != PlaygroundBackend::kOpenGLES) {
EXPECT_EQ(log_capture.str().find(GaussianBlurFilterContents::kNoMipsError),
std::string::npos);
} else {
EXPECT_NE(log_capture.str().find(GaussianBlurFilterContents::kNoMipsError),
std::string::npos);
}
#endif
}
TEST_P(AiksTest, MaskBlurDoesntStretchContents) {
Scalar sigma = 70;
auto callback = [&](AiksContext& renderer) -> std::optional<Picture> {
if (AiksTest::ImGuiBegin("Controls", nullptr,
ImGuiWindowFlags_AlwaysAutoResize)) {
ImGui::SliderFloat("Sigma", &sigma, 0, 500);
ImGui::End();
}
Canvas canvas;
canvas.Scale(GetContentScale());
canvas.DrawPaint({.color = Color(0.1, 0.1, 0.1, 1.0)});
std::shared_ptr<Texture> boston = CreateTextureForFixture("boston.jpg");
ColorSource image_source = ColorSource::MakeImage(
boston, Entity::TileMode::kRepeat, Entity::TileMode::kRepeat, {}, {});
canvas.Transform(Matrix::MakeTranslation({100, 100, 0}) *
Matrix::MakeScale({0.5, 0.5, 1.0}));
Paint paint = {
.color_source = image_source,
.mask_blur_descriptor =
Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Sigma(sigma),
},
};
canvas.DrawRect(
Rect::MakeXYWH(0, 0, boston->GetSize().width, boston->GetSize().height),
paint);
return canvas.EndRecordingAsPicture();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
} // namespace testing
} // namespace impeller
| engine/impeller/aiks/aiks_blur_unittests.cc/0 | {
"file_path": "engine/impeller/aiks/aiks_blur_unittests.cc",
"repo_id": "engine",
"token_count": 20583
} | 213 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_AIKS_CANVAS_TYPE_H_
#define FLUTTER_IMPELLER_AIKS_CANVAS_TYPE_H_
#include "impeller/aiks/canvas.h"
#include "impeller/aiks/canvas_recorder.h"
#include "impeller/aiks/trace_serializer.h"
namespace impeller {
/// CanvasType defines what is the concrete type of the Canvas to be used. When
/// the recorder is enabled it will be swapped out in place of the Canvas at
/// compile-time.
#ifdef IMPELLER_TRACE_CANVAS
using CanvasType = CanvasRecorder<TraceSerializer>;
#else
using CanvasType = Canvas;
#endif
} // namespace impeller
#endif // FLUTTER_IMPELLER_AIKS_CANVAS_TYPE_H_
| engine/impeller/aiks/canvas_type.h/0 | {
"file_path": "engine/impeller/aiks/canvas_type.h",
"repo_id": "engine",
"token_count": 279
} | 214 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_BASE_CONFIG_H_
#define FLUTTER_IMPELLER_BASE_CONFIG_H_
#include <cstdlib>
#include "flutter/fml/logging.h"
#if defined(__GNUC__) || defined(__clang__)
#define IMPELLER_COMPILER_CLANG 1
#else // defined(__GNUC__) || defined(__clang__)
#define IMPELLER_COMPILER_CLANG 0
#endif // defined(__GNUC__) || defined(__clang__)
#if IMPELLER_COMPILER_CLANG
#define IMPELLER_PRINTF_FORMAT(format_number, args_number) \
__attribute__((format(printf, format_number, args_number)))
#else // IMPELLER_COMPILER_CLANG
#define IMPELLER_PRINTF_FORMAT(format_number, args_number)
#endif // IMPELLER_COMPILER_CLANG
#define IMPELLER_UNIMPLEMENTED \
impeller::ImpellerUnimplemented(__FUNCTION__, __FILE__, __LINE__);
namespace impeller {
[[noreturn]] inline void ImpellerUnimplemented(const char* method,
const char* file,
int line) {
FML_CHECK(false) << "Unimplemented: " << method << " in " << file << ":"
<< line;
std::abort();
}
} // namespace impeller
#endif // FLUTTER_IMPELLER_BASE_CONFIG_H_
| engine/impeller/base/config.h/0 | {
"file_path": "engine/impeller/base/config.h",
"repo_id": "engine",
"token_count": 569
} | 215 |
# The Impeller Shader Compiler & Reflector
Host side tooling that consumes [GLSL 4.60 (Core
Profile)](https://www.khronos.org/registry/OpenGL/specs/gl/GLSLangSpec.4.60.pdf)
shaders and generates libraries suitable for consumption by an Impeller backend.
Along with said libraries, the reflector generates code and meta-data to
construct rendering and compute pipelines at runtime.
| engine/impeller/compiler/README.md/0 | {
"file_path": "engine/impeller/compiler/README.md",
"repo_id": "engine",
"token_count": 108
} | 216 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// FLUTTER_NOLINT: https://github.com/flutter/flutter/issues/105732
#include "impeller/compiler/reflector.h"
#include <atomic>
#include <optional>
#include <set>
#include <sstream>
#include "flutter/fml/logging.h"
#include "fml/backtrace.h"
#include "impeller/base/strings.h"
#include "impeller/base/validation.h"
#include "impeller/compiler/code_gen_template.h"
#include "impeller/compiler/shader_bundle_data.h"
#include "impeller/compiler/types.h"
#include "impeller/compiler/uniform_sorter.h"
#include "impeller/compiler/utilities.h"
#include "impeller/core/runtime_types.h"
#include "impeller/geometry/half.h"
#include "impeller/geometry/matrix.h"
#include "impeller/geometry/scalar.h"
#include "impeller/runtime_stage/runtime_stage.h"
#include "spirv_common.hpp"
namespace impeller {
namespace compiler {
static std::string ExecutionModelToString(spv::ExecutionModel model) {
switch (model) {
case spv::ExecutionModel::ExecutionModelVertex:
return "vertex";
case spv::ExecutionModel::ExecutionModelFragment:
return "fragment";
case spv::ExecutionModel::ExecutionModelGLCompute:
return "compute";
default:
return "unsupported";
}
}
static std::string StringToShaderStage(const std::string& str) {
if (str == "vertex") {
return "ShaderStage::kVertex";
}
if (str == "fragment") {
return "ShaderStage::kFragment";
}
if (str == "compute") {
return "ShaderStage::kCompute";
}
return "ShaderStage::kUnknown";
}
Reflector::Reflector(Options options,
const std::shared_ptr<const spirv_cross::ParsedIR>& ir,
const std::shared_ptr<fml::Mapping>& shader_data,
const CompilerBackend& compiler)
: options_(std::move(options)),
ir_(ir),
shader_data_(shader_data),
compiler_(compiler) {
if (!ir_ || !compiler_) {
return;
}
if (auto template_arguments = GenerateTemplateArguments();
template_arguments.has_value()) {
template_arguments_ =
std::make_unique<nlohmann::json>(std::move(template_arguments.value()));
} else {
return;
}
reflection_header_ = GenerateReflectionHeader();
if (!reflection_header_) {
return;
}
reflection_cc_ = GenerateReflectionCC();
if (!reflection_cc_) {
return;
}
runtime_stage_shader_ = GenerateRuntimeStageData();
shader_bundle_data_ = GenerateShaderBundleData();
if (!shader_bundle_data_) {
return;
}
is_valid_ = true;
}
Reflector::~Reflector() = default;
bool Reflector::IsValid() const {
return is_valid_;
}
std::shared_ptr<fml::Mapping> Reflector::GetReflectionJSON() const {
if (!is_valid_) {
return nullptr;
}
auto json_string =
std::make_shared<std::string>(template_arguments_->dump(2u));
return std::make_shared<fml::NonOwnedMapping>(
reinterpret_cast<const uint8_t*>(json_string->data()),
json_string->size(), [json_string](auto, auto) {});
}
std::shared_ptr<fml::Mapping> Reflector::GetReflectionHeader() const {
return reflection_header_;
}
std::shared_ptr<fml::Mapping> Reflector::GetReflectionCC() const {
return reflection_cc_;
}
std::shared_ptr<RuntimeStageData::Shader> Reflector::GetRuntimeStageShaderData()
const {
return runtime_stage_shader_;
}
std::shared_ptr<ShaderBundleData> Reflector::GetShaderBundleData() const {
return shader_bundle_data_;
}
std::optional<nlohmann::json> Reflector::GenerateTemplateArguments() const {
nlohmann::json root;
const auto& entrypoints = compiler_->get_entry_points_and_stages();
if (entrypoints.size() != 1) {
VALIDATION_LOG << "Incorrect number of entrypoints in the shader. Found "
<< entrypoints.size() << " but expected 1.";
return std::nullopt;
}
auto execution_model = entrypoints.front().execution_model;
{
root["entrypoint"] = options_.entry_point_name;
root["shader_name"] = options_.shader_name;
root["shader_stage"] = ExecutionModelToString(execution_model);
root["header_file_name"] = options_.header_file_name;
}
const auto shader_resources = compiler_->get_shader_resources();
// Subpass Inputs.
{
auto& subpass_inputs = root["subpass_inputs"] = nlohmann::json::array_t{};
if (auto subpass_inputs_json =
ReflectResources(shader_resources.subpass_inputs);
subpass_inputs_json.has_value()) {
for (auto subpass_input : subpass_inputs_json.value()) {
subpass_input["descriptor_type"] = "DescriptorType::kInputAttachment";
subpass_inputs.emplace_back(std::move(subpass_input));
}
} else {
return std::nullopt;
}
}
// Uniform and storage buffers.
{
auto& buffers = root["buffers"] = nlohmann::json::array_t{};
if (auto uniform_buffers_json =
ReflectResources(shader_resources.uniform_buffers);
uniform_buffers_json.has_value()) {
for (auto uniform_buffer : uniform_buffers_json.value()) {
uniform_buffer["descriptor_type"] = "DescriptorType::kUniformBuffer";
buffers.emplace_back(std::move(uniform_buffer));
}
} else {
return std::nullopt;
}
if (auto storage_buffers_json =
ReflectResources(shader_resources.storage_buffers);
storage_buffers_json.has_value()) {
for (auto uniform_buffer : storage_buffers_json.value()) {
uniform_buffer["descriptor_type"] = "DescriptorType::kStorageBuffer";
buffers.emplace_back(std::move(uniform_buffer));
}
} else {
return std::nullopt;
}
}
{
auto& stage_inputs = root["stage_inputs"] = nlohmann::json::array_t{};
if (auto stage_inputs_json = ReflectResources(
shader_resources.stage_inputs,
/*compute_offsets=*/execution_model == spv::ExecutionModelVertex);
stage_inputs_json.has_value()) {
stage_inputs = std::move(stage_inputs_json.value());
} else {
return std::nullopt;
}
}
{
auto combined_sampled_images =
ReflectResources(shader_resources.sampled_images);
auto images = ReflectResources(shader_resources.separate_images);
auto samplers = ReflectResources(shader_resources.separate_samplers);
if (!combined_sampled_images.has_value() || !images.has_value() ||
!samplers.has_value()) {
return std::nullopt;
}
auto& sampled_images = root["sampled_images"] = nlohmann::json::array_t{};
for (auto value : combined_sampled_images.value()) {
value["descriptor_type"] = "DescriptorType::kSampledImage";
sampled_images.emplace_back(std::move(value));
}
for (auto value : images.value()) {
value["descriptor_type"] = "DescriptorType::kImage";
sampled_images.emplace_back(std::move(value));
}
for (auto value : samplers.value()) {
value["descriptor_type"] = "DescriptorType::kSampledSampler";
sampled_images.emplace_back(std::move(value));
}
}
if (auto stage_outputs = ReflectResources(shader_resources.stage_outputs);
stage_outputs.has_value()) {
root["stage_outputs"] = std::move(stage_outputs.value());
} else {
return std::nullopt;
}
{
auto& struct_definitions = root["struct_definitions"] =
nlohmann::json::array_t{};
if (entrypoints.front().execution_model ==
spv::ExecutionModel::ExecutionModelVertex &&
!shader_resources.stage_inputs.empty()) {
if (auto struc =
ReflectPerVertexStructDefinition(shader_resources.stage_inputs);
struc.has_value()) {
struct_definitions.emplace_back(EmitStructDefinition(struc.value()));
} else {
// If there are stage inputs, it is an error to not generate a per
// vertex data struct for a vertex like shader stage.
return std::nullopt;
}
}
std::set<spirv_cross::ID> known_structs;
ir_->for_each_typed_id<spirv_cross::SPIRType>(
[&](uint32_t, const spirv_cross::SPIRType& type) {
if (type.basetype != spirv_cross::SPIRType::BaseType::Struct) {
return;
}
// Skip structs that do not have layout offset decorations.
// These structs are used internally within the shader and are not
// part of the shader's interface.
for (size_t i = 0; i < type.member_types.size(); i++) {
if (!compiler_->has_member_decoration(type.self, i,
spv::DecorationOffset)) {
return;
}
}
if (known_structs.find(type.self) != known_structs.end()) {
// Iterating over types this way leads to duplicates which may cause
// duplicate struct definitions.
return;
}
known_structs.insert(type.self);
if (auto struc = ReflectStructDefinition(type.self);
struc.has_value()) {
struct_definitions.emplace_back(
EmitStructDefinition(struc.value()));
}
});
}
root["bind_prototypes"] =
EmitBindPrototypes(shader_resources, execution_model);
return root;
}
std::shared_ptr<fml::Mapping> Reflector::GenerateReflectionHeader() const {
return InflateTemplate(kReflectionHeaderTemplate);
}
std::shared_ptr<fml::Mapping> Reflector::GenerateReflectionCC() const {
return InflateTemplate(kReflectionCCTemplate);
}
static std::optional<RuntimeStageBackend> GetRuntimeStageBackend(
TargetPlatform target_platform) {
switch (target_platform) {
case TargetPlatform::kUnknown:
case TargetPlatform::kMetalDesktop:
case TargetPlatform::kMetalIOS:
case TargetPlatform::kOpenGLES:
case TargetPlatform::kOpenGLDesktop:
case TargetPlatform::kVulkan:
return std::nullopt;
case TargetPlatform::kRuntimeStageMetal:
return RuntimeStageBackend::kMetal;
case TargetPlatform::kRuntimeStageGLES:
return RuntimeStageBackend::kOpenGLES;
case TargetPlatform::kRuntimeStageVulkan:
return RuntimeStageBackend::kVulkan;
case TargetPlatform::kSkSL:
return RuntimeStageBackend::kSkSL;
}
FML_UNREACHABLE();
}
std::shared_ptr<RuntimeStageData::Shader> Reflector::GenerateRuntimeStageData()
const {
auto backend = GetRuntimeStageBackend(options_.target_platform);
if (!backend.has_value()) {
return nullptr;
}
const auto& entrypoints = compiler_->get_entry_points_and_stages();
if (entrypoints.size() != 1u) {
VALIDATION_LOG << "Single entrypoint not found.";
return nullptr;
}
auto data = std::make_unique<RuntimeStageData::Shader>();
data->entrypoint = options_.entry_point_name;
data->stage = entrypoints.front().execution_model;
data->shader = shader_data_;
data->backend = backend.value();
// Sort the IR so that the uniforms are in declaration order.
std::vector<spirv_cross::ID> uniforms =
SortUniforms(ir_.get(), compiler_.GetCompiler());
for (auto& sorted_id : uniforms) {
auto var = ir_->ids[sorted_id].get<spirv_cross::SPIRVariable>();
const auto spir_type = compiler_->get_type(var.basetype);
UniformDescription uniform_description;
uniform_description.name = compiler_->get_name(var.self);
uniform_description.location = compiler_->get_decoration(
var.self, spv::Decoration::DecorationLocation);
uniform_description.type = spir_type.basetype;
uniform_description.rows = spir_type.vecsize;
uniform_description.columns = spir_type.columns;
uniform_description.bit_width = spir_type.width;
uniform_description.array_elements = GetArrayElements(spir_type);
FML_CHECK(data->backend != RuntimeStageBackend::kVulkan ||
spir_type.basetype ==
spirv_cross::SPIRType::BaseType::SampledImage)
<< "Vulkan runtime effect had unexpected uniforms outside of the "
"uniform buffer object.";
data->uniforms.emplace_back(std::move(uniform_description));
}
const auto ubos = compiler_->get_shader_resources().uniform_buffers;
if (data->backend == RuntimeStageBackend::kVulkan && !ubos.empty()) {
if (ubos.size() != 1 && ubos[0].name != RuntimeStage::kVulkanUBOName) {
VALIDATION_LOG << "Expected a single UBO resource named "
"'"
<< RuntimeStage::kVulkanUBOName
<< "' "
"for Vulkan runtime stage backend.";
return nullptr;
}
const auto& ubo = ubos[0];
auto members = ReadStructMembers(ubo.type_id);
std::vector<uint8_t> struct_layout;
size_t float_count = 0;
for (size_t i = 0; i < members.size(); i += 1) {
const auto& member = members[i];
std::vector<int> bytes;
switch (member.underlying_type) {
case StructMember::UnderlyingType::kPadding: {
size_t padding_count =
(member.size + sizeof(float) - 1) / sizeof(float);
while (padding_count > 0) {
struct_layout.push_back(0);
padding_count--;
}
break;
}
case StructMember::UnderlyingType::kFloat: {
size_t member_float_count = member.byte_length / sizeof(float);
float_count += member_float_count;
while (member_float_count > 0) {
struct_layout.push_back(1);
member_float_count--;
}
break;
}
case StructMember::UnderlyingType::kOther:
VALIDATION_LOG << "Non-floating-type struct member " << member.name
<< " is not supported.";
return nullptr;
}
}
data->uniforms.emplace_back(UniformDescription{
.name = ubo.name,
.location = 64, // Magic constant that must match the descriptor set
// location for fragment programs.
.type = spirv_cross::SPIRType::Struct,
.struct_layout = std::move(struct_layout),
.struct_float_count = float_count,
});
}
// We only need to worry about storing vertex attributes.
if (entrypoints.front().execution_model == spv::ExecutionModelVertex) {
const auto inputs = compiler_->get_shader_resources().stage_inputs;
auto input_offsets = ComputeOffsets(inputs);
for (const auto& input : inputs) {
std::optional<size_t> offset = GetOffset(input.id, input_offsets);
const auto type = compiler_->get_type(input.type_id);
InputDescription input_description;
input_description.name = input.name;
input_description.location = compiler_->get_decoration(
input.id, spv::Decoration::DecorationLocation);
input_description.set = compiler_->get_decoration(
input.id, spv::Decoration::DecorationDescriptorSet);
input_description.binding = compiler_->get_decoration(
input.id, spv::Decoration::DecorationBinding);
input_description.type = type.basetype;
input_description.bit_width = type.width;
input_description.vec_size = type.vecsize;
input_description.columns = type.columns;
input_description.offset = offset.value_or(0u);
data->inputs.emplace_back(std::move(input_description));
}
}
return data;
}
std::shared_ptr<ShaderBundleData> Reflector::GenerateShaderBundleData() const {
const auto& entrypoints = compiler_->get_entry_points_and_stages();
if (entrypoints.size() != 1u) {
VALIDATION_LOG << "Single entrypoint not found.";
return nullptr;
}
auto data = std::make_shared<ShaderBundleData>(
options_.entry_point_name, //
entrypoints.front().execution_model, //
options_.target_platform //
);
data->SetShaderData(shader_data_);
const auto uniforms = compiler_->get_shader_resources().uniform_buffers;
for (const auto& uniform : uniforms) {
ShaderBundleData::ShaderUniformStruct uniform_struct;
uniform_struct.name = uniform.name;
uniform_struct.ext_res_0 = compiler_.GetExtendedMSLResourceBinding(
CompilerBackend::ExtendedResourceIndex::kPrimary, uniform.id);
uniform_struct.set = compiler_->get_decoration(
uniform.id, spv::Decoration::DecorationDescriptorSet);
uniform_struct.binding = compiler_->get_decoration(
uniform.id, spv::Decoration::DecorationBinding);
const auto type = compiler_->get_type(uniform.type_id);
if (type.basetype != spirv_cross::SPIRType::BaseType::Struct) {
std::cerr << "Error: Uniform \"" << uniform.name
<< "\" is not a struct. All Flutter GPU shader uniforms must "
"be structs."
<< std::endl;
return nullptr;
}
size_t size_in_bytes = 0;
for (const auto& struct_member : ReadStructMembers(uniform.type_id)) {
size_in_bytes += struct_member.byte_length;
if (StringStartsWith(struct_member.name, "_PADDING_")) {
continue;
}
ShaderBundleData::ShaderUniformStructField uniform_struct_field;
uniform_struct_field.name = struct_member.name;
uniform_struct_field.type = struct_member.base_type;
uniform_struct_field.offset_in_bytes = struct_member.offset;
uniform_struct_field.element_size_in_bytes = struct_member.size;
uniform_struct_field.total_size_in_bytes = struct_member.byte_length;
uniform_struct_field.array_elements = struct_member.array_elements;
uniform_struct.fields.push_back(uniform_struct_field);
}
uniform_struct.size_in_bytes = size_in_bytes;
data->AddUniformStruct(uniform_struct);
}
const auto sampled_images = compiler_->get_shader_resources().sampled_images;
for (const auto& image : sampled_images) {
ShaderBundleData::ShaderUniformTexture uniform_texture;
uniform_texture.name = image.name;
uniform_texture.ext_res_0 = compiler_.GetExtendedMSLResourceBinding(
CompilerBackend::ExtendedResourceIndex::kPrimary, image.id);
uniform_texture.set = compiler_->get_decoration(
image.id, spv::Decoration::DecorationDescriptorSet);
uniform_texture.binding =
compiler_->get_decoration(image.id, spv::Decoration::DecorationBinding);
data->AddUniformTexture(uniform_texture);
}
// We only need to worry about storing vertex attributes.
if (entrypoints.front().execution_model == spv::ExecutionModelVertex) {
const auto inputs = compiler_->get_shader_resources().stage_inputs;
auto input_offsets = ComputeOffsets(inputs);
for (const auto& input : inputs) {
std::optional<size_t> offset = GetOffset(input.id, input_offsets);
const auto type = compiler_->get_type(input.type_id);
InputDescription input_description;
input_description.name = input.name;
input_description.location = compiler_->get_decoration(
input.id, spv::Decoration::DecorationLocation);
input_description.set = compiler_->get_decoration(
input.id, spv::Decoration::DecorationDescriptorSet);
input_description.binding = compiler_->get_decoration(
input.id, spv::Decoration::DecorationBinding);
input_description.type = type.basetype;
input_description.bit_width = type.width;
input_description.vec_size = type.vecsize;
input_description.columns = type.columns;
input_description.offset = offset.value_or(0u);
data->AddInputDescription(std::move(input_description));
}
}
return data;
}
std::optional<uint32_t> Reflector::GetArrayElements(
const spirv_cross::SPIRType& type) const {
if (type.array.empty()) {
return std::nullopt;
}
FML_CHECK(type.array.size() == 1)
<< "Multi-dimensional arrays are not supported.";
FML_CHECK(type.array_size_literal.front())
<< "Must use a literal for array sizes.";
return type.array.front();
}
static std::string ToString(CompilerBackend::Type type) {
switch (type) {
case CompilerBackend::Type::kMSL:
return "Metal Shading Language";
case CompilerBackend::Type::kGLSL:
return "OpenGL Shading Language";
case CompilerBackend::Type::kGLSLVulkan:
return "OpenGL Shading Language (Relaxed Vulkan Semantics)";
case CompilerBackend::Type::kSkSL:
return "SkSL Shading Language";
}
FML_UNREACHABLE();
}
std::shared_ptr<fml::Mapping> Reflector::InflateTemplate(
std::string_view tmpl) const {
inja::Environment env;
env.set_trim_blocks(true);
env.set_lstrip_blocks(true);
env.add_callback("camel_case", 1u, [](inja::Arguments& args) {
return ToCamelCase(args.at(0u)->get<std::string>());
});
env.add_callback("to_shader_stage", 1u, [](inja::Arguments& args) {
return StringToShaderStage(args.at(0u)->get<std::string>());
});
env.add_callback("get_generator_name", 0u,
[type = compiler_.GetType()](inja::Arguments& args) {
return ToString(type);
});
auto inflated_template =
std::make_shared<std::string>(env.render(tmpl, *template_arguments_));
return std::make_shared<fml::NonOwnedMapping>(
reinterpret_cast<const uint8_t*>(inflated_template->data()),
inflated_template->size(), [inflated_template](auto, auto) {});
}
std::vector<size_t> Reflector::ComputeOffsets(
const spirv_cross::SmallVector<spirv_cross::Resource>& resources) const {
std::vector<size_t> offsets(resources.size(), 0);
if (resources.size() == 0) {
return offsets;
}
for (const auto& resource : resources) {
const auto type = compiler_->get_type(resource.type_id);
auto location = compiler_->get_decoration(
resource.id, spv::Decoration::DecorationLocation);
// Malformed shader, will be caught later on.
if (location >= resources.size() || location < 0) {
location = 0;
}
offsets[location] = (type.width * type.vecsize) / 8;
}
for (size_t i = 1; i < resources.size(); i++) {
offsets[i] += offsets[i - 1];
}
for (size_t i = resources.size() - 1; i > 0; i--) {
offsets[i] = offsets[i - 1];
}
offsets[0] = 0;
return offsets;
}
std::optional<size_t> Reflector::GetOffset(
spirv_cross::ID id,
const std::vector<size_t>& offsets) const {
uint32_t location =
compiler_->get_decoration(id, spv::Decoration::DecorationLocation);
if (location >= offsets.size()) {
return std::nullopt;
}
return offsets[location];
}
std::optional<nlohmann::json::object_t> Reflector::ReflectResource(
const spirv_cross::Resource& resource,
std::optional<size_t> offset) const {
nlohmann::json::object_t result;
result["name"] = resource.name;
result["descriptor_set"] = compiler_->get_decoration(
resource.id, spv::Decoration::DecorationDescriptorSet);
result["binding"] = compiler_->get_decoration(
resource.id, spv::Decoration::DecorationBinding);
result["set"] = compiler_->get_decoration(
resource.id, spv::Decoration::DecorationDescriptorSet);
result["location"] = compiler_->get_decoration(
resource.id, spv::Decoration::DecorationLocation);
result["index"] =
compiler_->get_decoration(resource.id, spv::Decoration::DecorationIndex);
result["ext_res_0"] = compiler_.GetExtendedMSLResourceBinding(
CompilerBackend::ExtendedResourceIndex::kPrimary, resource.id);
result["ext_res_1"] = compiler_.GetExtendedMSLResourceBinding(
CompilerBackend::ExtendedResourceIndex::kSecondary, resource.id);
auto type = ReflectType(resource.type_id);
if (!type.has_value()) {
return std::nullopt;
}
result["type"] = std::move(type.value());
result["offset"] = offset.value_or(0u);
return result;
}
std::optional<nlohmann::json::object_t> Reflector::ReflectType(
const spirv_cross::TypeID& type_id) const {
nlohmann::json::object_t result;
const auto type = compiler_->get_type(type_id);
result["type_name"] = StructMember::BaseTypeToString(type.basetype);
result["bit_width"] = type.width;
result["vec_size"] = type.vecsize;
result["columns"] = type.columns;
auto& members = result["members"] = nlohmann::json::array_t{};
if (type.basetype == spirv_cross::SPIRType::BaseType::Struct) {
for (const auto& struct_member : ReadStructMembers(type_id)) {
auto member = nlohmann::json::object_t{};
member["name"] = struct_member.name;
member["type"] = struct_member.type;
member["base_type"] =
StructMember::BaseTypeToString(struct_member.base_type);
member["offset"] = struct_member.offset;
member["size"] = struct_member.size;
member["byte_length"] = struct_member.byte_length;
if (struct_member.array_elements.has_value()) {
member["array_elements"] = struct_member.array_elements.value();
} else {
member["array_elements"] = "std::nullopt";
}
members.emplace_back(std::move(member));
}
}
return result;
}
std::optional<nlohmann::json::array_t> Reflector::ReflectResources(
const spirv_cross::SmallVector<spirv_cross::Resource>& resources,
bool compute_offsets) const {
nlohmann::json::array_t result;
result.reserve(resources.size());
std::vector<size_t> offsets;
if (compute_offsets) {
offsets = ComputeOffsets(resources);
}
for (const auto& resource : resources) {
std::optional<size_t> maybe_offset = std::nullopt;
if (compute_offsets) {
maybe_offset = GetOffset(resource.id, offsets);
}
if (auto reflected = ReflectResource(resource, maybe_offset);
reflected.has_value()) {
result.emplace_back(std::move(reflected.value()));
} else {
return std::nullopt;
}
}
return result;
}
static std::string TypeNameWithPaddingOfSize(size_t size) {
std::stringstream stream;
stream << "Padding<" << size << ">";
return stream.str();
}
struct KnownType {
std::string name;
size_t byte_size = 0;
};
static std::optional<KnownType> ReadKnownScalarType(
spirv_cross::SPIRType::BaseType type) {
switch (type) {
case spirv_cross::SPIRType::BaseType::Boolean:
return KnownType{
.name = "bool",
.byte_size = sizeof(bool),
};
case spirv_cross::SPIRType::BaseType::Float:
return KnownType{
.name = "Scalar",
.byte_size = sizeof(Scalar),
};
case spirv_cross::SPIRType::BaseType::Half:
return KnownType{
.name = "Half",
.byte_size = sizeof(Half),
};
case spirv_cross::SPIRType::BaseType::UInt:
return KnownType{
.name = "uint32_t",
.byte_size = sizeof(uint32_t),
};
case spirv_cross::SPIRType::BaseType::Int:
return KnownType{
.name = "int32_t",
.byte_size = sizeof(int32_t),
};
default:
break;
}
return std::nullopt;
}
//------------------------------------------------------------------------------
/// @brief Get the reflected struct size. In the vast majority of the
/// cases, this is the same as the declared struct size as given by
/// the compiler. But, additional padding may need to be introduced
/// after the end of the struct to keep in line with the alignment
/// requirement of the individual struct members. This method
/// figures out the actual size of the reflected struct that can be
/// referenced in native code.
///
/// @param[in] members The members
///
/// @return The reflected structure size.
///
static size_t GetReflectedStructSize(const std::vector<StructMember>& members) {
auto struct_size = 0u;
for (const auto& member : members) {
struct_size += member.byte_length;
}
return struct_size;
}
std::vector<StructMember> Reflector::ReadStructMembers(
const spirv_cross::TypeID& type_id) const {
const auto& struct_type = compiler_->get_type(type_id);
FML_CHECK(struct_type.basetype == spirv_cross::SPIRType::BaseType::Struct);
std::vector<StructMember> result;
size_t current_byte_offset = 0;
size_t max_member_alignment = 0;
for (size_t i = 0; i < struct_type.member_types.size(); i++) {
const auto& member = compiler_->get_type(struct_type.member_types[i]);
const auto struct_member_offset =
compiler_->type_struct_member_offset(struct_type, i);
auto array_elements = GetArrayElements(member);
if (struct_member_offset > current_byte_offset) {
const auto alignment_pad = struct_member_offset - current_byte_offset;
result.emplace_back(StructMember{
TypeNameWithPaddingOfSize(alignment_pad), // type
spirv_cross::SPIRType::BaseType::Void, // basetype
SPrintF("_PADDING_%s_",
GetMemberNameAtIndex(struct_type, i).c_str()), // name
current_byte_offset, // offset
alignment_pad, // size
alignment_pad, // byte_length
std::nullopt, // array_elements
0, // element_padding
});
current_byte_offset += alignment_pad;
}
max_member_alignment =
std::max<size_t>(max_member_alignment,
(member.width / 8) * member.columns * member.vecsize);
FML_CHECK(current_byte_offset == struct_member_offset);
// A user defined struct.
if (member.basetype == spirv_cross::SPIRType::BaseType::Struct) {
const size_t size =
GetReflectedStructSize(ReadStructMembers(member.self));
uint32_t stride = GetArrayStride<0>(struct_type, member, i);
if (stride == 0) {
stride = size;
}
uint32_t element_padding = stride - size;
result.emplace_back(StructMember{
compiler_->get_name(member.self), // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
size, // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed 4x4 Matrix is special cased as we know how to work with
// those.
if (member.basetype == spirv_cross::SPIRType::BaseType::Float && //
member.width == sizeof(Scalar) * 8 && //
member.columns == 4 && //
member.vecsize == 4 //
) {
uint32_t stride = GetArrayStride<sizeof(Matrix)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(Matrix);
result.emplace_back(StructMember{
"Matrix", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(Matrix), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed UintPoint32 (uvec2)
if (member.basetype == spirv_cross::SPIRType::BaseType::UInt && //
member.width == sizeof(uint32_t) * 8 && //
member.columns == 1 && //
member.vecsize == 2 //
) {
uint32_t stride =
GetArrayStride<sizeof(UintPoint32)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(UintPoint32);
result.emplace_back(StructMember{
"UintPoint32", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(UintPoint32), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed UintPoint32 (ivec2)
if (member.basetype == spirv_cross::SPIRType::BaseType::Int && //
member.width == sizeof(int32_t) * 8 && //
member.columns == 1 && //
member.vecsize == 2 //
) {
uint32_t stride =
GetArrayStride<sizeof(IPoint32)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(IPoint32);
result.emplace_back(StructMember{
"IPoint32", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(IPoint32), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed Point (vec2).
if (member.basetype == spirv_cross::SPIRType::BaseType::Float && //
member.width == sizeof(float) * 8 && //
member.columns == 1 && //
member.vecsize == 2 //
) {
uint32_t stride = GetArrayStride<sizeof(Point)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(Point);
result.emplace_back(StructMember{
"Point", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(Point), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed Vector3.
if (member.basetype == spirv_cross::SPIRType::BaseType::Float && //
member.width == sizeof(float) * 8 && //
member.columns == 1 && //
member.vecsize == 3 //
) {
uint32_t stride = GetArrayStride<sizeof(Vector3)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(Vector3);
result.emplace_back(StructMember{
"Vector3", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(Vector3), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed Vector4.
if (member.basetype == spirv_cross::SPIRType::BaseType::Float && //
member.width == sizeof(float) * 8 && //
member.columns == 1 && //
member.vecsize == 4 //
) {
uint32_t stride = GetArrayStride<sizeof(Vector4)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(Vector4);
result.emplace_back(StructMember{
"Vector4", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(Vector4), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed half Point (vec2).
if (member.basetype == spirv_cross::SPIRType::BaseType::Half && //
member.width == sizeof(Half) * 8 && //
member.columns == 1 && //
member.vecsize == 2 //
) {
uint32_t stride =
GetArrayStride<sizeof(HalfVector2)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(HalfVector2);
result.emplace_back(StructMember{
"HalfVector2", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(HalfVector2), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed Half Float Vector3.
if (member.basetype == spirv_cross::SPIRType::BaseType::Half && //
member.width == sizeof(Half) * 8 && //
member.columns == 1 && //
member.vecsize == 3 //
) {
uint32_t stride =
GetArrayStride<sizeof(HalfVector3)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(HalfVector3);
result.emplace_back(StructMember{
"HalfVector3", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(HalfVector3), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Tightly packed Half Float Vector4.
if (member.basetype == spirv_cross::SPIRType::BaseType::Half && //
member.width == sizeof(Half) * 8 && //
member.columns == 1 && //
member.vecsize == 4 //
) {
uint32_t stride =
GetArrayStride<sizeof(HalfVector4)>(struct_type, member, i);
uint32_t element_padding = stride - sizeof(HalfVector4);
result.emplace_back(StructMember{
"HalfVector4", // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
sizeof(HalfVector4), // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
// Other isolated scalars (like bool, int, float/Scalar, etc..).
{
auto maybe_known_type = ReadKnownScalarType(member.basetype);
if (maybe_known_type.has_value() && //
member.columns == 1 && //
member.vecsize == 1 //
) {
uint32_t stride = GetArrayStride<0>(struct_type, member, i);
if (stride == 0) {
stride = maybe_known_type.value().byte_size;
}
uint32_t element_padding = stride - maybe_known_type.value().byte_size;
// Add the type directly.
result.emplace_back(StructMember{
maybe_known_type.value().name, // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
maybe_known_type.value().byte_size, // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
}
// Catch all for unknown types. Just add the necessary padding to the struct
// and move on.
{
const size_t size = (member.width * member.columns * member.vecsize) / 8u;
uint32_t stride = GetArrayStride<0>(struct_type, member, i);
if (stride == 0) {
stride = size;
}
auto element_padding = stride - size;
result.emplace_back(StructMember{
TypeNameWithPaddingOfSize(size), // type
member.basetype, // basetype
GetMemberNameAtIndex(struct_type, i), // name
struct_member_offset, // offset
size, // size
stride * array_elements.value_or(1), // byte_length
array_elements, // array_elements
element_padding, // element_padding
});
current_byte_offset += stride * array_elements.value_or(1);
continue;
}
}
if (max_member_alignment > 0u) {
const auto struct_length = current_byte_offset;
{
const auto excess = struct_length % max_member_alignment;
if (excess != 0) {
const auto padding = max_member_alignment - excess;
result.emplace_back(StructMember{
TypeNameWithPaddingOfSize(padding), // type
spirv_cross::SPIRType::BaseType::Void, // basetype
"_PADDING_", // name
current_byte_offset, // offset
padding, // size
padding, // byte_length
std::nullopt, // array_elements
0, // element_padding
});
}
}
}
return result;
}
std::optional<Reflector::StructDefinition> Reflector::ReflectStructDefinition(
const spirv_cross::TypeID& type_id) const {
const auto& type = compiler_->get_type(type_id);
if (type.basetype != spirv_cross::SPIRType::BaseType::Struct) {
return std::nullopt;
}
const auto struct_name = compiler_->get_name(type_id);
if (struct_name.find("_RESERVED_IDENTIFIER_") != std::string::npos) {
return std::nullopt;
}
auto struct_members = ReadStructMembers(type_id);
auto reflected_struct_size = GetReflectedStructSize(struct_members);
StructDefinition struc;
struc.name = struct_name;
struc.byte_length = reflected_struct_size;
struc.members = std::move(struct_members);
return struc;
}
nlohmann::json::object_t Reflector::EmitStructDefinition(
std::optional<Reflector::StructDefinition> struc) const {
nlohmann::json::object_t result;
result["name"] = struc->name;
result["byte_length"] = struc->byte_length;
auto& members = result["members"] = nlohmann::json::array_t{};
for (const auto& struct_member : struc->members) {
auto& member = members.emplace_back(nlohmann::json::object_t{});
member["name"] = struct_member.name;
member["type"] = struct_member.type;
member["base_type"] =
StructMember::BaseTypeToString(struct_member.base_type);
member["offset"] = struct_member.offset;
member["byte_length"] = struct_member.byte_length;
if (struct_member.array_elements.has_value()) {
member["array_elements"] = struct_member.array_elements.value();
} else {
member["array_elements"] = "std::nullopt";
}
member["element_padding"] = struct_member.element_padding;
}
return result;
}
struct VertexType {
std::string type_name;
spirv_cross::SPIRType::BaseType base_type;
std::string variable_name;
size_t byte_length = 0u;
};
static VertexType VertexTypeFromInputResource(
const spirv_cross::Compiler& compiler,
const spirv_cross::Resource* resource) {
VertexType result;
result.variable_name = resource->name;
const auto& type = compiler.get_type(resource->type_id);
result.base_type = type.basetype;
const auto total_size = type.columns * type.vecsize * type.width / 8u;
result.byte_length = total_size;
if (type.basetype == spirv_cross::SPIRType::BaseType::Float &&
type.columns == 1u && type.vecsize == 2u &&
type.width == sizeof(float) * 8u) {
result.type_name = "Point";
} else if (type.basetype == spirv_cross::SPIRType::BaseType::Float &&
type.columns == 1u && type.vecsize == 4u &&
type.width == sizeof(float) * 8u) {
result.type_name = "Vector4";
} else if (type.basetype == spirv_cross::SPIRType::BaseType::Float &&
type.columns == 1u && type.vecsize == 3u &&
type.width == sizeof(float) * 8u) {
result.type_name = "Vector3";
} else if (type.basetype == spirv_cross::SPIRType::BaseType::Float &&
type.columns == 1u && type.vecsize == 1u &&
type.width == sizeof(float) * 8u) {
result.type_name = "Scalar";
} else if (type.basetype == spirv_cross::SPIRType::BaseType::Int &&
type.columns == 1u && type.vecsize == 1u &&
type.width == sizeof(int32_t) * 8u) {
result.type_name = "int32_t";
} else {
// Catch all unknown padding.
result.type_name = TypeNameWithPaddingOfSize(total_size);
}
return result;
}
std::optional<Reflector::StructDefinition>
Reflector::ReflectPerVertexStructDefinition(
const spirv_cross::SmallVector<spirv_cross::Resource>& stage_inputs) const {
// Avoid emitting a zero sized structure. The code gen templates assume a
// non-zero size.
if (stage_inputs.empty()) {
return std::nullopt;
}
// Validate locations are contiguous and there are no duplicates.
std::set<uint32_t> locations;
for (const auto& input : stage_inputs) {
auto location = compiler_->get_decoration(
input.id, spv::Decoration::DecorationLocation);
if (locations.count(location) != 0) {
// Duplicate location. Bail.
return std::nullopt;
}
locations.insert(location);
}
for (size_t i = 0; i < locations.size(); i++) {
if (locations.count(i) != 1) {
// Locations are not contiguous. This usually happens when a single stage
// input takes multiple input slots. No reflection information can be
// generated for such cases anyway. So bail! It is up to the shader author
// to make sure one stage input maps to a single input slot.
return std::nullopt;
}
}
auto input_for_location =
[&](uint32_t queried_location) -> const spirv_cross::Resource* {
for (const auto& input : stage_inputs) {
auto location = compiler_->get_decoration(
input.id, spv::Decoration::DecorationLocation);
if (location == queried_location) {
return &input;
}
}
// This really cannot happen with all the validation above.
FML_UNREACHABLE();
return nullptr;
};
StructDefinition struc;
struc.name = "PerVertexData";
struc.byte_length = 0u;
for (size_t i = 0; i < locations.size(); i++) {
auto resource = input_for_location(i);
if (resource == nullptr) {
return std::nullopt;
}
const auto vertex_type =
VertexTypeFromInputResource(*compiler_.GetCompiler(), resource);
auto member = StructMember{
vertex_type.type_name, // type
vertex_type.base_type, // base type
vertex_type.variable_name, // name
struc.byte_length, // offset
vertex_type.byte_length, // size
vertex_type.byte_length, // byte_length
std::nullopt, // array_elements
0, // element_padding
};
struc.byte_length += vertex_type.byte_length;
struc.members.emplace_back(std::move(member));
}
return struc;
}
std::optional<std::string> Reflector::GetMemberNameAtIndexIfExists(
const spirv_cross::SPIRType& parent_type,
size_t index) const {
if (parent_type.type_alias != 0) {
return GetMemberNameAtIndexIfExists(
compiler_->get_type(parent_type.type_alias), index);
}
if (auto found = ir_->meta.find(parent_type.self); found != ir_->meta.end()) {
const auto& members = found->second.members;
if (index < members.size() && !members[index].alias.empty()) {
return members[index].alias;
}
}
return std::nullopt;
}
std::string Reflector::GetMemberNameAtIndex(
const spirv_cross::SPIRType& parent_type,
size_t index,
std::string suffix) const {
if (auto name = GetMemberNameAtIndexIfExists(parent_type, index);
name.has_value()) {
return name.value();
}
static std::atomic_size_t sUnnamedMembersID;
std::stringstream stream;
stream << "unnamed_" << sUnnamedMembersID++ << suffix;
return stream.str();
}
std::vector<Reflector::BindPrototype> Reflector::ReflectBindPrototypes(
const spirv_cross::ShaderResources& resources,
spv::ExecutionModel execution_model) const {
std::vector<BindPrototype> prototypes;
for (const auto& uniform_buffer : resources.uniform_buffers) {
auto& proto = prototypes.emplace_back(BindPrototype{});
proto.return_type = "bool";
proto.name = ToCamelCase(uniform_buffer.name);
proto.descriptor_type = "DescriptorType::kUniformBuffer";
{
std::stringstream stream;
stream << "Bind uniform buffer for resource named " << uniform_buffer.name
<< ".";
proto.docstring = stream.str();
}
proto.args.push_back(BindPrototypeArgument{
.type_name = "ResourceBinder&",
.argument_name = "command",
});
proto.args.push_back(BindPrototypeArgument{
.type_name = "BufferView",
.argument_name = "view",
});
}
for (const auto& storage_buffer : resources.storage_buffers) {
auto& proto = prototypes.emplace_back(BindPrototype{});
proto.return_type = "bool";
proto.name = ToCamelCase(storage_buffer.name);
proto.descriptor_type = "DescriptorType::kStorageBuffer";
{
std::stringstream stream;
stream << "Bind storage buffer for resource named " << storage_buffer.name
<< ".";
proto.docstring = stream.str();
}
proto.args.push_back(BindPrototypeArgument{
.type_name = "ResourceBinder&",
.argument_name = "command",
});
proto.args.push_back(BindPrototypeArgument{
.type_name = "BufferView",
.argument_name = "view",
});
}
for (const auto& sampled_image : resources.sampled_images) {
auto& proto = prototypes.emplace_back(BindPrototype{});
proto.return_type = "bool";
proto.name = ToCamelCase(sampled_image.name);
proto.descriptor_type = "DescriptorType::kSampledImage";
{
std::stringstream stream;
stream << "Bind combined image sampler for resource named "
<< sampled_image.name << ".";
proto.docstring = stream.str();
}
proto.args.push_back(BindPrototypeArgument{
.type_name = "ResourceBinder&",
.argument_name = "command",
});
proto.args.push_back(BindPrototypeArgument{
.type_name = "std::shared_ptr<const Texture>",
.argument_name = "texture",
});
proto.args.push_back(BindPrototypeArgument{
.type_name = "const std::unique_ptr<const Sampler>&",
.argument_name = "sampler",
});
}
for (const auto& separate_image : resources.separate_images) {
auto& proto = prototypes.emplace_back(BindPrototype{});
proto.return_type = "bool";
proto.name = ToCamelCase(separate_image.name);
proto.descriptor_type = "DescriptorType::kImage";
{
std::stringstream stream;
stream << "Bind separate image for resource named " << separate_image.name
<< ".";
proto.docstring = stream.str();
}
proto.args.push_back(BindPrototypeArgument{
.type_name = "Command&",
.argument_name = "command",
});
proto.args.push_back(BindPrototypeArgument{
.type_name = "std::shared_ptr<const Texture>",
.argument_name = "texture",
});
}
for (const auto& separate_sampler : resources.separate_samplers) {
auto& proto = prototypes.emplace_back(BindPrototype{});
proto.return_type = "bool";
proto.name = ToCamelCase(separate_sampler.name);
proto.descriptor_type = "DescriptorType::kSampler";
{
std::stringstream stream;
stream << "Bind separate sampler for resource named "
<< separate_sampler.name << ".";
proto.docstring = stream.str();
}
proto.args.push_back(BindPrototypeArgument{
.type_name = "Command&",
.argument_name = "command",
});
proto.args.push_back(BindPrototypeArgument{
.type_name = "std::shared_ptr<const Sampler>",
.argument_name = "sampler",
});
}
return prototypes;
}
nlohmann::json::array_t Reflector::EmitBindPrototypes(
const spirv_cross::ShaderResources& resources,
spv::ExecutionModel execution_model) const {
const auto prototypes = ReflectBindPrototypes(resources, execution_model);
nlohmann::json::array_t result;
for (const auto& res : prototypes) {
auto& item = result.emplace_back(nlohmann::json::object_t{});
item["return_type"] = res.return_type;
item["name"] = res.name;
item["docstring"] = res.docstring;
item["descriptor_type"] = res.descriptor_type;
auto& args = item["args"] = nlohmann::json::array_t{};
for (const auto& arg : res.args) {
auto& json_arg = args.emplace_back(nlohmann::json::object_t{});
json_arg["type_name"] = arg.type_name;
json_arg["argument_name"] = arg.argument_name;
}
}
return result;
}
} // namespace compiler
} // namespace impeller
| engine/impeller/compiler/reflector.cc/0 | {
"file_path": "engine/impeller/compiler/reflector.cc",
"repo_id": "engine",
"token_count": 23804
} | 217 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CONSTANTS_GLSL_
#define CONSTANTS_GLSL_
#include <impeller/types.glsl>
const float kEhCloseEnough = 0.000001;
// 1/1024.
const float16_t kEhCloseEnoughHalf = 0.0009765625hf;
// 1 / (2 * pi)
const float k1Over2Pi = 0.1591549430918;
// sqrt(2 * pi)
const float kSqrtTwoPi = 2.50662827463;
// sqrt(2) / 2 == 1 / sqrt(2)
const float kHalfSqrtTwo = 0.70710678118;
// sqrt(3)
const float kSqrtThree = 1.73205080757;
// The default mip bias to use when sampling textures.
// This value biases towards sampling from a lower mip level (bigger size),
// which results in sharper looking images when mip sampling is enabled. This is
// the same constant that Skia uses.
const float kDefaultMipBias = -0.475;
const float kDefaultMipBiasHalf = -0.475hf;
#endif
| engine/impeller/compiler/shader_lib/impeller/constants.glsl/0 | {
"file_path": "engine/impeller/compiler/shader_lib/impeller/constants.glsl",
"repo_id": "engine",
"token_count": 334
} | 218 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/compiler/spirv_sksl.h"
#include "impeller/compiler/uniform_sorter.h"
using namespace spv;
using namespace SPIRV_CROSS_NAMESPACE;
namespace impeller {
namespace compiler {
// This replaces the SPIRV_CROSS_THROW which aborts and drops the
// error message in non-debug modes.
void report_and_exit(const std::string& msg) {
fprintf(stderr, "There was a compiler error: %s\n", msg.c_str());
fflush(stderr);
exit(1);
}
#define FLUTTER_CROSS_THROW(x) report_and_exit(x)
std::string CompilerSkSL::compile() {
ir.fixup_reserved_names();
if (get_execution_model() != ExecutionModelFragment) {
FLUTTER_CROSS_THROW("Only fragment shaders are supported.'");
return "";
}
options.es = false;
options.version = 100;
options.vulkan_semantics = false;
options.enable_420pack_extension = false;
options.flatten_multidimensional_arrays = true;
backend.allow_precision_qualifiers = false;
backend.basic_int16_type = "short";
backend.basic_int_type = "int";
backend.basic_uint16_type = "ushort";
backend.basic_uint_type = "uint";
backend.double_literal_suffix = false;
backend.float_literal_suffix = false;
backend.long_long_literal_suffix = false;
backend.needs_row_major_load_workaround = true;
backend.nonuniform_qualifier = "";
backend.support_precise_qualifier = false;
backend.uint32_t_literal_suffix = false;
backend.use_array_constructor = true;
backend.workgroup_size_is_hidden = true;
fixup_user_functions();
fixup_anonymous_struct_names();
fixup_type_alias();
reorder_type_alias();
build_function_control_flow_graphs_and_analyze();
fixup_image_load_store_access();
update_active_builtins();
analyze_image_and_sampler_usage();
analyze_interlocked_resource_usage();
uint32_t pass_count = 0;
do {
reset(pass_count);
// Move constructor for this type is broken on GCC 4.9 ...
buffer.reset();
emit_header();
emit_resources();
emit_function(get<SPIRFunction>(ir.default_entry_point), Bitset());
pass_count++;
} while (is_forcing_recompilation());
statement("half4 main(float2 iFragCoord)");
begin_scope();
statement(" flutter_FragCoord = float4(iFragCoord, 0, 0);");
statement(" FLT_main();");
statement(" return " + output_name_ + ";");
end_scope();
return buffer.str();
}
void CompilerSkSL::fixup_user_functions() {
const std::string prefix = "FLT_flutter_local_";
ir.for_each_typed_id<SPIRFunction>([&](uint32_t, const SPIRFunction& func) {
const auto& original_name = get_name(func.self);
// Just in case. Don't add the prefix a second time.
if (original_name.rfind(prefix, 0) == 0) {
return;
}
std::string new_name = prefix + original_name;
set_name(func.self, new_name);
});
ir.for_each_typed_id<SPIRFunctionPrototype>(
[&](uint32_t, const SPIRFunctionPrototype& func) {
const auto& original_name = get_name(func.self);
// Just in case. Don't add the prefix a second time.
if (original_name.rfind(prefix, 0) == 0) {
return;
}
std::string new_name = prefix + original_name;
set_name(func.self, new_name);
});
}
void CompilerSkSL::emit_header() {
statement("// This SkSL shader is autogenerated by spirv-cross.");
statement("");
statement("float4 flutter_FragCoord;");
statement("");
}
void CompilerSkSL::emit_uniform(const SPIRVariable& var) {
auto& type = get<SPIRType>(var.basetype);
if (type.basetype == SPIRType::UInt && is_legacy()) {
FLUTTER_CROSS_THROW("SkSL does not support unsigned integers: '" +
get_name(var.self) + "'");
}
add_resource_name(var.self);
statement(variable_decl(var), ";");
// The Flutter FragmentProgram implementation passes additional uniforms along
// with shader uniforms that encode the shader width and height.
if (type.basetype == SPIRType::SampledImage) {
std::string name = to_name(var.self);
statement("uniform half2 " + name + "_size;");
}
}
bool CompilerSkSL::emit_constant_resources() {
bool emitted = false;
for (auto& id : ir.ids) {
if (id.get_type() == TypeConstant) {
auto& c = id.get<SPIRConstant>();
bool needs_declaration = c.specialization || c.is_used_as_lut;
if (needs_declaration) {
if (!options.vulkan_semantics && c.specialization) {
c.specialization_constant_macro_name = constant_value_macro_name(
get_decoration(c.self, DecorationSpecId));
}
emit_constant(c);
emitted = true;
}
} else if (id.get_type() == TypeConstantOp) {
emit_specialization_constant_op(id.get<SPIRConstantOp>());
emitted = true;
}
}
return emitted;
}
bool CompilerSkSL::emit_struct_resources() {
bool emitted = false;
// Output all basic struct types which are not Block or BufferBlock as these
// are declared inplace when such variables are instantiated.
for (auto& id : ir.ids) {
if (id.get_type() == TypeType) {
auto& type = id.get<SPIRType>();
if (type.basetype == SPIRType::Struct && type.array.empty() &&
!type.pointer &&
(!ir.meta[type.self].decoration.decoration_flags.get(
DecorationBlock) &&
!ir.meta[type.self].decoration.decoration_flags.get(
DecorationBufferBlock))) {
emit_struct(type);
emitted = true;
}
}
}
return emitted;
}
void CompilerSkSL::detect_unsupported_resources() {
for (auto& id : ir.ids) {
if (id.get_type() == TypeVariable) {
auto& var = id.get<SPIRVariable>();
auto& type = get<SPIRType>(var.basetype);
// UBOs and SSBOs are not supported.
if (var.storage != StorageClassFunction && type.pointer &&
type.storage == StorageClassUniform && !is_hidden_variable(var) &&
(ir.meta[type.self].decoration.decoration_flags.get(
DecorationBlock) ||
ir.meta[type.self].decoration.decoration_flags.get(
DecorationBufferBlock))) {
FLUTTER_CROSS_THROW("SkSL does not support UBOs or SSBOs: '" +
get_name(var.self) + "'");
}
// Push constant blocks are not supported.
if (!is_hidden_variable(var) && var.storage != StorageClassFunction &&
type.pointer && type.storage == StorageClassPushConstant) {
FLUTTER_CROSS_THROW("SkSL does not support push constant blocks: '" +
get_name(var.self) + "'");
}
// User specified inputs are not supported.
if (!is_hidden_variable(var) && var.storage != StorageClassFunction &&
type.pointer && type.storage == StorageClassInput) {
FLUTTER_CROSS_THROW("SkSL does not support inputs: '" +
get_name(var.self) + "'");
}
}
}
}
bool CompilerSkSL::emit_uniform_resources() {
bool emitted = false;
// Output Uniform Constants (values, samplers, images, etc).
std::vector<ID> regular_uniforms =
SortUniforms(&ir, this, SPIRType::SampledImage, /*include=*/false);
std::vector<ID> shader_uniforms =
SortUniforms(&ir, this, SPIRType::SampledImage);
if (regular_uniforms.size() > 0 || shader_uniforms.size() > 0) {
emitted = true;
}
for (const auto& id : regular_uniforms) {
auto& var = get<SPIRVariable>(id);
emit_uniform(var);
}
for (const auto& id : shader_uniforms) {
auto& var = get<SPIRVariable>(id);
emit_uniform(var);
}
return emitted;
}
bool CompilerSkSL::emit_output_resources() {
bool emitted = false;
// Output 'out' variables. These are restricted to the cases handled by
// SkSL in 'emit_interface_block'.
for (auto& id : ir.ids) {
if (id.get_type() == TypeVariable) {
auto& var = id.get<SPIRVariable>();
auto& type = get<SPIRType>(var.basetype);
if (var.storage != StorageClassFunction && !is_hidden_variable(var) &&
type.pointer &&
(var.storage == StorageClassInput ||
var.storage == StorageClassOutput) &&
interface_variable_exists_in_entry_point(var.self)) {
emit_interface_block(var);
emitted = true;
}
}
}
return emitted;
}
bool CompilerSkSL::emit_global_variable_resources() {
bool emitted = false;
for (auto global : global_variables) {
auto& var = get<SPIRVariable>(global);
if (is_hidden_variable(var, true)) {
continue;
}
if (var.storage != StorageClassOutput) {
if (!variable_is_lut(var)) {
add_resource_name(var.self);
std::string initializer;
if (options.force_zero_initialized_variables &&
var.storage == StorageClassPrivate && !var.initializer &&
!var.static_expression &&
type_can_zero_initialize(get_variable_data_type(var))) {
initializer = join(" = ", to_zero_initialized_expression(
get_variable_data_type_id(var)));
}
statement(variable_decl(var), initializer, ";");
emitted = true;
}
} else if (var.initializer &&
maybe_get<SPIRConstant>(var.initializer) != nullptr) {
emit_output_variable_initializer(var);
}
}
return emitted;
}
bool CompilerSkSL::emit_undefined_values() {
bool emitted = false;
ir.for_each_typed_id<SPIRUndef>([&](uint32_t, const SPIRUndef& undef) {
auto& type = this->get<SPIRType>(undef.basetype);
// OpUndef can be void for some reason ...
if (type.basetype == SPIRType::Void) {
return;
}
std::string initializer;
if (options.force_zero_initialized_variables &&
type_can_zero_initialize(type)) {
initializer = join(" = ", to_zero_initialized_expression(undef.basetype));
}
statement(variable_decl(type, to_name(undef.self), undef.self), initializer,
";");
emitted = true;
});
return emitted;
}
void CompilerSkSL::emit_resources() {
detect_unsupported_resources();
if (emit_constant_resources()) {
statement("");
}
if (emit_struct_resources()) {
statement("");
}
if (emit_uniform_resources()) {
statement("");
}
if (emit_output_resources()) {
statement("");
}
if (emit_global_variable_resources()) {
statement("");
}
if (emit_undefined_values()) {
statement("");
}
}
void CompilerSkSL::emit_interface_block(const SPIRVariable& var) {
auto& type = get<SPIRType>(var.basetype);
bool block =
ir.meta[type.self].decoration.decoration_flags.get(DecorationBlock);
if (block) {
FLUTTER_CROSS_THROW("Interface blocks are not supported: '" +
to_name(var.self) + "'");
}
// The output is emitted as a global variable, which is returned from the
// wrapper around the 'main' function. Only one output variable is allowed.
add_resource_name(var.self);
statement(variable_decl(type, to_name(var.self), var.self), ";");
if (output_name_.empty()) {
output_name_ = to_name(var.self);
} else if (to_name(var.self) != output_name_) {
FLUTTER_CROSS_THROW("Only one output variable is supported: '" +
to_name(var.self) + "'");
}
}
void CompilerSkSL::emit_function_prototype(SPIRFunction& func,
const Bitset& return_flags) {
// If this is not the entrypoint, then no special processsing for SkSL is
// required.
if (func.self != ir.default_entry_point) {
CompilerGLSL::emit_function_prototype(func, return_flags);
return;
}
auto& type = get<SPIRType>(func.return_type);
if (type.basetype != SPIRType::Void) {
FLUTTER_CROSS_THROW(
"Return type of the entrypoint function must be 'void'");
}
if (func.arguments.size() != 0) {
FLUTTER_CROSS_THROW(
"The entry point function should not acept any parameters.");
}
processing_entry_point = true;
// If this is the entrypoint of a fragment shader, then GLSL requires the
// prototype to be "void main()", and so it is safe to rewrite as
// "void FLT_main()".
statement("void FLT_main()");
}
std::string CompilerSkSL::image_type_glsl(const SPIRType& type,
uint32_t id,
bool member) {
if (type.basetype != SPIRType::SampledImage || type.image.dim != Dim2D) {
FLUTTER_CROSS_THROW("Only sampler2D uniform image types are supported.");
return "???";
}
return "shader";
}
std::string CompilerSkSL::builtin_to_glsl(BuiltIn builtin,
StorageClass storage) {
std::string gl_builtin = CompilerGLSL::builtin_to_glsl(builtin, storage);
switch (builtin) {
case BuiltInFragCoord:
return "flutter_FragCoord";
default:
FLUTTER_CROSS_THROW("Builtin '" + gl_builtin + "' is not supported.");
break;
}
return "???";
}
std::string CompilerSkSL::to_texture_op(
const Instruction& i,
bool sparse,
bool* forward,
SmallVector<uint32_t>& inherited_expressions) {
auto op = static_cast<Op>(i.op);
if (op != OpImageSampleImplicitLod) {
FLUTTER_CROSS_THROW("Only simple shader sampling is supported.");
return "???";
}
return CompilerGLSL::to_texture_op(i, sparse, forward, inherited_expressions);
}
std::string CompilerSkSL::to_function_name(
const CompilerGLSL::TextureFunctionNameArguments& args) {
std::string name = to_expression(args.base.img);
return name + ".eval";
}
std::string CompilerSkSL::to_function_args(const TextureFunctionArguments& args,
bool* p_forward) {
std::string name = to_expression(args.base.img);
std::string glsl_args = CompilerGLSL::to_function_args(args, p_forward);
// SkSL only supports coordinates. All other arguments to texture are
// unsupported and will generate invalid SkSL.
if (args.grad_x || args.grad_y || args.lod || args.offset || args.sample ||
args.min_lod || args.sparse_texel || args.bias || args.component) {
FLUTTER_CROSS_THROW(
"Only sampler and position arguments are supported in texture() "
"calls.");
}
// GLSL puts the shader as the first argument, but in SkSL the shader is
// implicitly passed as the reciever of the 'eval' method. Therefore, the
// shader is removed from the GLSL argument list.
std::string no_shader;
auto npos = glsl_args.find(", "); // The first ','.
if (npos != std::string::npos) {
no_shader = glsl_args.substr(npos + 1); // The string after the first ','.
}
if (no_shader.empty()) {
FLUTTER_CROSS_THROW("Unexpected shader sampling arguments: '(" + glsl_args +
")'");
return "()";
}
return name + "_size * (" + no_shader + ")";
}
} // namespace compiler
} // namespace impeller
| engine/impeller/compiler/spirv_sksl.cc/0 | {
"file_path": "engine/impeller/compiler/spirv_sksl.cc",
"repo_id": "engine",
"token_count": 5987
} | 219 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_CORE_RESOURCE_BINDER_H_
#define FLUTTER_IMPELLER_CORE_RESOURCE_BINDER_H_
#include <memory>
#include "impeller/core/buffer_view.h"
#include "impeller/core/formats.h"
#include "impeller/core/sampler.h"
#include "impeller/core/shader_types.h"
#include "impeller/core/texture.h"
namespace impeller {
//------------------------------------------------------------------------------
/// @brief An interface for binding resources. This is implemented by
/// |Command| and |ComputeCommand| to make GPU resources available
/// to a given command's pipeline.
///
struct ResourceBinder {
virtual ~ResourceBinder() = default;
virtual bool BindResource(ShaderStage stage,
DescriptorType type,
const ShaderUniformSlot& slot,
const ShaderMetadata& metadata,
BufferView view) = 0;
virtual bool BindResource(ShaderStage stage,
DescriptorType type,
const SampledImageSlot& slot,
const ShaderMetadata& metadata,
std::shared_ptr<const Texture> texture,
const std::unique_ptr<const Sampler>& sampler) = 0;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_CORE_RESOURCE_BINDER_H_
| engine/impeller/core/resource_binder.h/0 | {
"file_path": "engine/impeller/core/resource_binder.h",
"repo_id": "engine",
"token_count": 671
} | 220 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/display_list/dl_dispatcher.h"
#include <algorithm>
#include <cstring>
#include <memory>
#include <optional>
#include <utility>
#include <vector>
#include "flutter/fml/logging.h"
#include "flutter/fml/trace_event.h"
#include "impeller/aiks/color_filter.h"
#include "impeller/core/formats.h"
#include "impeller/display_list/dl_vertices_geometry.h"
#include "impeller/display_list/nine_patch_converter.h"
#include "impeller/display_list/skia_conversions.h"
#include "impeller/entity/contents/filters/filter_contents.h"
#include "impeller/entity/contents/filters/inputs/filter_input.h"
#include "impeller/entity/contents/runtime_effect_contents.h"
#include "impeller/entity/entity.h"
#include "impeller/geometry/path.h"
#include "impeller/geometry/path_builder.h"
#include "impeller/geometry/scalar.h"
#include "impeller/geometry/sigma.h"
#if IMPELLER_ENABLE_3D
#include "impeller/entity/contents/scene_contents.h"
#endif // IMPELLER_ENABLE_3D
namespace impeller {
#define UNIMPLEMENTED \
FML_DLOG(ERROR) << "Unimplemented detail in " << __FUNCTION__;
DlDispatcher::DlDispatcher() = default;
DlDispatcher::DlDispatcher(Rect cull_rect) : canvas_(cull_rect) {}
DlDispatcher::DlDispatcher(IRect cull_rect) : canvas_(cull_rect) {}
DlDispatcher::~DlDispatcher() = default;
static BlendMode ToBlendMode(flutter::DlBlendMode mode) {
switch (mode) {
case flutter::DlBlendMode::kClear:
return BlendMode::kClear;
case flutter::DlBlendMode::kSrc:
return BlendMode::kSource;
case flutter::DlBlendMode::kDst:
return BlendMode::kDestination;
case flutter::DlBlendMode::kSrcOver:
return BlendMode::kSourceOver;
case flutter::DlBlendMode::kDstOver:
return BlendMode::kDestinationOver;
case flutter::DlBlendMode::kSrcIn:
return BlendMode::kSourceIn;
case flutter::DlBlendMode::kDstIn:
return BlendMode::kDestinationIn;
case flutter::DlBlendMode::kSrcOut:
return BlendMode::kSourceOut;
case flutter::DlBlendMode::kDstOut:
return BlendMode::kDestinationOut;
case flutter::DlBlendMode::kSrcATop:
return BlendMode::kSourceATop;
case flutter::DlBlendMode::kDstATop:
return BlendMode::kDestinationATop;
case flutter::DlBlendMode::kXor:
return BlendMode::kXor;
case flutter::DlBlendMode::kPlus:
return BlendMode::kPlus;
case flutter::DlBlendMode::kModulate:
return BlendMode::kModulate;
case flutter::DlBlendMode::kScreen:
return BlendMode::kScreen;
case flutter::DlBlendMode::kOverlay:
return BlendMode::kOverlay;
case flutter::DlBlendMode::kDarken:
return BlendMode::kDarken;
case flutter::DlBlendMode::kLighten:
return BlendMode::kLighten;
case flutter::DlBlendMode::kColorDodge:
return BlendMode::kColorDodge;
case flutter::DlBlendMode::kColorBurn:
return BlendMode::kColorBurn;
case flutter::DlBlendMode::kHardLight:
return BlendMode::kHardLight;
case flutter::DlBlendMode::kSoftLight:
return BlendMode::kSoftLight;
case flutter::DlBlendMode::kDifference:
return BlendMode::kDifference;
case flutter::DlBlendMode::kExclusion:
return BlendMode::kExclusion;
case flutter::DlBlendMode::kMultiply:
return BlendMode::kMultiply;
case flutter::DlBlendMode::kHue:
return BlendMode::kHue;
case flutter::DlBlendMode::kSaturation:
return BlendMode::kSaturation;
case flutter::DlBlendMode::kColor:
return BlendMode::kColor;
case flutter::DlBlendMode::kLuminosity:
return BlendMode::kLuminosity;
}
FML_UNREACHABLE();
}
static Entity::TileMode ToTileMode(flutter::DlTileMode tile_mode) {
switch (tile_mode) {
case flutter::DlTileMode::kClamp:
return Entity::TileMode::kClamp;
case flutter::DlTileMode::kRepeat:
return Entity::TileMode::kRepeat;
case flutter::DlTileMode::kMirror:
return Entity::TileMode::kMirror;
case flutter::DlTileMode::kDecal:
return Entity::TileMode::kDecal;
}
}
static impeller::SamplerDescriptor ToSamplerDescriptor(
const flutter::DlImageSampling options) {
impeller::SamplerDescriptor desc;
switch (options) {
case flutter::DlImageSampling::kNearestNeighbor:
desc.min_filter = desc.mag_filter = impeller::MinMagFilter::kNearest;
desc.label = "Nearest Sampler";
break;
case flutter::DlImageSampling::kLinear:
// Impeller doesn't support cubic sampling, but linear is closer to correct
// than nearest for this case.
case flutter::DlImageSampling::kCubic:
desc.min_filter = desc.mag_filter = impeller::MinMagFilter::kLinear;
desc.label = "Linear Sampler";
break;
case flutter::DlImageSampling::kMipmapLinear:
desc.min_filter = desc.mag_filter = impeller::MinMagFilter::kLinear;
desc.mip_filter = impeller::MipFilter::kLinear;
desc.label = "Mipmap Linear Sampler";
break;
}
return desc;
}
static impeller::SamplerDescriptor ToSamplerDescriptor(
const flutter::DlFilterMode options) {
impeller::SamplerDescriptor desc;
switch (options) {
case flutter::DlFilterMode::kNearest:
desc.min_filter = desc.mag_filter = impeller::MinMagFilter::kNearest;
desc.label = "Nearest Sampler";
break;
case flutter::DlFilterMode::kLinear:
desc.min_filter = desc.mag_filter = impeller::MinMagFilter::kLinear;
desc.label = "Linear Sampler";
break;
default:
break;
}
return desc;
}
static Matrix ToMatrix(const SkMatrix& m) {
return Matrix{
// clang-format off
m[0], m[3], 0, m[6],
m[1], m[4], 0, m[7],
0, 0, 1, 0,
m[2], m[5], 0, m[8],
// clang-format on
};
}
// |flutter::DlOpReceiver|
void DlDispatcher::setAntiAlias(bool aa) {
// Nothing to do because AA is implicit.
}
static Paint::Style ToStyle(flutter::DlDrawStyle style) {
switch (style) {
case flutter::DlDrawStyle::kFill:
return Paint::Style::kFill;
case flutter::DlDrawStyle::kStroke:
return Paint::Style::kStroke;
case flutter::DlDrawStyle::kStrokeAndFill:
UNIMPLEMENTED;
break;
}
return Paint::Style::kFill;
}
// |flutter::DlOpReceiver|
void DlDispatcher::setDrawStyle(flutter::DlDrawStyle style) {
paint_.style = ToStyle(style);
}
// |flutter::DlOpReceiver|
void DlDispatcher::setColor(flutter::DlColor color) {
paint_.color = {
color.getRedF(),
color.getGreenF(),
color.getBlueF(),
color.getAlphaF(),
};
}
// |flutter::DlOpReceiver|
void DlDispatcher::setStrokeWidth(SkScalar width) {
paint_.stroke_width = width;
}
// |flutter::DlOpReceiver|
void DlDispatcher::setStrokeMiter(SkScalar limit) {
paint_.stroke_miter = limit;
}
// |flutter::DlOpReceiver|
void DlDispatcher::setStrokeCap(flutter::DlStrokeCap cap) {
switch (cap) {
case flutter::DlStrokeCap::kButt:
paint_.stroke_cap = Cap::kButt;
break;
case flutter::DlStrokeCap::kRound:
paint_.stroke_cap = Cap::kRound;
break;
case flutter::DlStrokeCap::kSquare:
paint_.stroke_cap = Cap::kSquare;
break;
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::setStrokeJoin(flutter::DlStrokeJoin join) {
switch (join) {
case flutter::DlStrokeJoin::kMiter:
paint_.stroke_join = Join::kMiter;
break;
case flutter::DlStrokeJoin::kRound:
paint_.stroke_join = Join::kRound;
break;
case flutter::DlStrokeJoin::kBevel:
paint_.stroke_join = Join::kBevel;
break;
}
}
static std::vector<Color> ToColors(const flutter::DlColor colors[], int count) {
auto result = std::vector<Color>();
if (colors == nullptr) {
return result;
}
for (int i = 0; i < count; i++) {
result.push_back(skia_conversions::ToColor(colors[i]));
}
return result;
}
static std::optional<ColorSource::Type> ToColorSourceType(
flutter::DlColorSourceType type) {
switch (type) {
case flutter::DlColorSourceType::kColor:
return ColorSource::Type::kColor;
case flutter::DlColorSourceType::kImage:
return ColorSource::Type::kImage;
case flutter::DlColorSourceType::kLinearGradient:
return ColorSource::Type::kLinearGradient;
case flutter::DlColorSourceType::kRadialGradient:
return ColorSource::Type::kRadialGradient;
case flutter::DlColorSourceType::kConicalGradient:
return ColorSource::Type::kConicalGradient;
case flutter::DlColorSourceType::kSweepGradient:
return ColorSource::Type::kSweepGradient;
case flutter::DlColorSourceType::kRuntimeEffect:
return ColorSource::Type::kRuntimeEffect;
#ifdef IMPELLER_ENABLE_3D
case flutter::DlColorSourceType::kScene:
return ColorSource::Type::kScene;
#endif // IMPELLER_ENABLE_3D
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::setColorSource(const flutter::DlColorSource* source) {
if (!source) {
paint_.color_source = ColorSource::MakeColor();
return;
}
std::optional<ColorSource::Type> type = ToColorSourceType(source->type());
if (!type.has_value()) {
FML_LOG(ERROR) << "Requested ColorSourceType::kUnknown";
paint_.color_source = ColorSource::MakeColor();
return;
}
switch (type.value()) {
case ColorSource::Type::kColor: {
const flutter::DlColorColorSource* color = source->asColor();
paint_.color_source = ColorSource::MakeColor();
setColor(color->color());
FML_DCHECK(color);
return;
}
case ColorSource::Type::kLinearGradient: {
const flutter::DlLinearGradientColorSource* linear =
source->asLinearGradient();
FML_DCHECK(linear);
auto start_point = skia_conversions::ToPoint(linear->start_point());
auto end_point = skia_conversions::ToPoint(linear->end_point());
std::vector<Color> colors;
std::vector<float> stops;
skia_conversions::ConvertStops(linear, colors, stops);
auto tile_mode = ToTileMode(linear->tile_mode());
auto matrix = ToMatrix(linear->matrix());
paint_.color_source = ColorSource::MakeLinearGradient(
start_point, end_point, std::move(colors), std::move(stops),
tile_mode, matrix);
return;
}
case ColorSource::Type::kConicalGradient: {
const flutter::DlConicalGradientColorSource* conical_gradient =
source->asConicalGradient();
FML_DCHECK(conical_gradient);
Point center = skia_conversions::ToPoint(conical_gradient->end_center());
SkScalar radius = conical_gradient->end_radius();
Point focus_center =
skia_conversions::ToPoint(conical_gradient->start_center());
SkScalar focus_radius = conical_gradient->start_radius();
std::vector<Color> colors;
std::vector<float> stops;
skia_conversions::ConvertStops(conical_gradient, colors, stops);
auto tile_mode = ToTileMode(conical_gradient->tile_mode());
auto matrix = ToMatrix(conical_gradient->matrix());
paint_.color_source = ColorSource::MakeConicalGradient(
center, radius, std::move(colors), std::move(stops), focus_center,
focus_radius, tile_mode, matrix);
return;
}
case ColorSource::Type::kRadialGradient: {
const flutter::DlRadialGradientColorSource* radialGradient =
source->asRadialGradient();
FML_DCHECK(radialGradient);
auto center = skia_conversions::ToPoint(radialGradient->center());
auto radius = radialGradient->radius();
std::vector<Color> colors;
std::vector<float> stops;
skia_conversions::ConvertStops(radialGradient, colors, stops);
auto tile_mode = ToTileMode(radialGradient->tile_mode());
auto matrix = ToMatrix(radialGradient->matrix());
paint_.color_source =
ColorSource::MakeRadialGradient(center, radius, std::move(colors),
std::move(stops), tile_mode, matrix);
return;
}
case ColorSource::Type::kSweepGradient: {
const flutter::DlSweepGradientColorSource* sweepGradient =
source->asSweepGradient();
FML_DCHECK(sweepGradient);
auto center = skia_conversions::ToPoint(sweepGradient->center());
auto start_angle = Degrees(sweepGradient->start());
auto end_angle = Degrees(sweepGradient->end());
std::vector<Color> colors;
std::vector<float> stops;
skia_conversions::ConvertStops(sweepGradient, colors, stops);
auto tile_mode = ToTileMode(sweepGradient->tile_mode());
auto matrix = ToMatrix(sweepGradient->matrix());
paint_.color_source = ColorSource::MakeSweepGradient(
center, start_angle, end_angle, std::move(colors), std::move(stops),
tile_mode, matrix);
return;
}
case ColorSource::Type::kImage: {
const flutter::DlImageColorSource* image_color_source = source->asImage();
FML_DCHECK(image_color_source &&
image_color_source->image()->impeller_texture());
auto texture = image_color_source->image()->impeller_texture();
auto x_tile_mode = ToTileMode(image_color_source->horizontal_tile_mode());
auto y_tile_mode = ToTileMode(image_color_source->vertical_tile_mode());
auto desc = ToSamplerDescriptor(image_color_source->sampling());
auto matrix = ToMatrix(image_color_source->matrix());
paint_.color_source = ColorSource::MakeImage(texture, x_tile_mode,
y_tile_mode, desc, matrix);
return;
}
case ColorSource::Type::kRuntimeEffect: {
const flutter::DlRuntimeEffectColorSource* runtime_effect_color_source =
source->asRuntimeEffect();
auto runtime_stage =
runtime_effect_color_source->runtime_effect()->runtime_stage();
auto uniform_data = runtime_effect_color_source->uniform_data();
auto samplers = runtime_effect_color_source->samplers();
std::vector<RuntimeEffectContents::TextureInput> texture_inputs;
for (auto& sampler : samplers) {
if (sampler == nullptr) {
return;
}
auto* image = sampler->asImage();
if (!sampler->asImage()) {
UNIMPLEMENTED;
return;
}
FML_DCHECK(image->image()->impeller_texture());
texture_inputs.push_back({
.sampler_descriptor = ToSamplerDescriptor(image->sampling()),
.texture = image->image()->impeller_texture(),
});
}
paint_.color_source = ColorSource::MakeRuntimeEffect(
runtime_stage, uniform_data, texture_inputs);
return;
}
case ColorSource::Type::kScene: {
#ifdef IMPELLER_ENABLE_3D
const flutter::DlSceneColorSource* scene_color_source = source->asScene();
std::shared_ptr<scene::Node> scene_node =
scene_color_source->scene_node();
Matrix camera_transform = scene_color_source->camera_matrix();
paint_.color_source =
ColorSource::MakeScene(scene_node, camera_transform);
#else // IMPELLER_ENABLE_3D
FML_LOG(ERROR) << "ColorSourceType::kScene can only be used if Impeller "
"Scene is enabled.";
#endif // IMPELLER_ENABLE_3D
return;
}
}
}
static std::shared_ptr<ColorFilter> ToColorFilter(
const flutter::DlColorFilter* filter) {
if (filter == nullptr) {
return nullptr;
}
switch (filter->type()) {
case flutter::DlColorFilterType::kBlend: {
auto dl_blend = filter->asBlend();
auto blend_mode = ToBlendMode(dl_blend->mode());
auto color = skia_conversions::ToColor(dl_blend->color());
return ColorFilter::MakeBlend(blend_mode, color);
}
case flutter::DlColorFilterType::kMatrix: {
const flutter::DlMatrixColorFilter* dl_matrix = filter->asMatrix();
impeller::ColorMatrix color_matrix;
dl_matrix->get_matrix(color_matrix.array);
return ColorFilter::MakeMatrix(color_matrix);
}
case flutter::DlColorFilterType::kSrgbToLinearGamma:
return ColorFilter::MakeSrgbToLinear();
case flutter::DlColorFilterType::kLinearToSrgbGamma:
return ColorFilter::MakeLinearToSrgb();
}
return nullptr;
}
// |flutter::DlOpReceiver|
void DlDispatcher::setColorFilter(const flutter::DlColorFilter* filter) {
paint_.color_filter = ToColorFilter(filter);
}
// |flutter::DlOpReceiver|
void DlDispatcher::setInvertColors(bool invert) {
paint_.invert_colors = invert;
}
// |flutter::DlOpReceiver|
void DlDispatcher::setBlendMode(flutter::DlBlendMode dl_mode) {
paint_.blend_mode = ToBlendMode(dl_mode);
}
// |flutter::DlOpReceiver|
void DlDispatcher::setPathEffect(const flutter::DlPathEffect* effect) {
// Needs https://github.com/flutter/flutter/issues/95434
UNIMPLEMENTED;
}
static FilterContents::BlurStyle ToBlurStyle(flutter::DlBlurStyle blur_style) {
switch (blur_style) {
case flutter::DlBlurStyle::kNormal:
return FilterContents::BlurStyle::kNormal;
case flutter::DlBlurStyle::kSolid:
return FilterContents::BlurStyle::kSolid;
case flutter::DlBlurStyle::kOuter:
return FilterContents::BlurStyle::kOuter;
case flutter::DlBlurStyle::kInner:
return FilterContents::BlurStyle::kInner;
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::setMaskFilter(const flutter::DlMaskFilter* filter) {
// Needs https://github.com/flutter/flutter/issues/95434
if (filter == nullptr) {
paint_.mask_blur_descriptor = std::nullopt;
return;
}
switch (filter->type()) {
case flutter::DlMaskFilterType::kBlur: {
auto blur = filter->asBlur();
paint_.mask_blur_descriptor = {
.style = ToBlurStyle(blur->style()),
.sigma = Sigma(blur->sigma()),
};
break;
}
}
}
static std::shared_ptr<ImageFilter> ToImageFilter(
const flutter::DlImageFilter* filter) {
if (filter == nullptr) {
return nullptr;
}
switch (filter->type()) {
case flutter::DlImageFilterType::kBlur: {
auto blur = filter->asBlur();
auto sigma_x = Sigma(blur->sigma_x());
auto sigma_y = Sigma(blur->sigma_y());
auto tile_mode = ToTileMode(blur->tile_mode());
return ImageFilter::MakeBlur(
sigma_x, sigma_y, FilterContents::BlurStyle::kNormal, tile_mode);
}
case flutter::DlImageFilterType::kDilate: {
auto dilate = filter->asDilate();
FML_DCHECK(dilate);
if (dilate->radius_x() < 0 || dilate->radius_y() < 0) {
return nullptr;
}
auto radius_x = Radius(dilate->radius_x());
auto radius_y = Radius(dilate->radius_y());
return ImageFilter::MakeDilate(radius_x, radius_y);
}
case flutter::DlImageFilterType::kErode: {
auto erode = filter->asErode();
FML_DCHECK(erode);
if (erode->radius_x() < 0 || erode->radius_y() < 0) {
return nullptr;
}
auto radius_x = Radius(erode->radius_x());
auto radius_y = Radius(erode->radius_y());
return ImageFilter::MakeErode(radius_x, radius_y);
}
case flutter::DlImageFilterType::kMatrix: {
auto matrix_filter = filter->asMatrix();
FML_DCHECK(matrix_filter);
auto matrix = ToMatrix(matrix_filter->matrix());
auto desc = ToSamplerDescriptor(matrix_filter->sampling());
return ImageFilter::MakeMatrix(matrix, desc);
}
case flutter::DlImageFilterType::kCompose: {
auto compose = filter->asCompose();
FML_DCHECK(compose);
auto outer_dl_filter = compose->outer();
auto inner_dl_filter = compose->inner();
auto outer_filter = ToImageFilter(outer_dl_filter.get());
auto inner_filter = ToImageFilter(inner_dl_filter.get());
if (!outer_filter) {
return inner_filter;
}
if (!inner_filter) {
return outer_filter;
}
FML_DCHECK(outer_filter && inner_filter);
return ImageFilter::MakeCompose(*inner_filter, *outer_filter);
}
case flutter::DlImageFilterType::kColorFilter: {
auto color_filter_image_filter = filter->asColorFilter();
FML_DCHECK(color_filter_image_filter);
auto color_filter =
ToColorFilter(color_filter_image_filter->color_filter().get());
if (!color_filter) {
return nullptr;
}
// When color filters are used as image filters, set the color filter's
// "absorb opacity" flag to false. For image filters, the snapshot
// opacity needs to be deferred until the result of the filter chain is
// being blended with the layer.
return ImageFilter::MakeFromColorFilter(*color_filter);
}
case flutter::DlImageFilterType::kLocalMatrix: {
auto local_matrix_filter = filter->asLocalMatrix();
FML_DCHECK(local_matrix_filter);
auto internal_filter = local_matrix_filter->image_filter();
FML_DCHECK(internal_filter);
auto image_filter = ToImageFilter(internal_filter.get());
if (!image_filter) {
return nullptr;
}
auto matrix = ToMatrix(local_matrix_filter->matrix());
return ImageFilter::MakeLocalMatrix(matrix, *image_filter);
}
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::setImageFilter(const flutter::DlImageFilter* filter) {
paint_.image_filter = ToImageFilter(filter);
}
// |flutter::DlOpReceiver|
void DlDispatcher::save() {
canvas_.Save();
}
// |flutter::DlOpReceiver|
void DlDispatcher::saveLayer(const SkRect& bounds,
const flutter::SaveLayerOptions options,
const flutter::DlImageFilter* backdrop) {
auto paint = options.renders_with_attributes() ? paint_ : Paint{};
auto promise = options.content_is_clipped()
? ContentBoundsPromise::kMayClipContents
: ContentBoundsPromise::kContainsContents;
canvas_.SaveLayer(paint, skia_conversions::ToRect(bounds),
ToImageFilter(backdrop), promise);
}
// |flutter::DlOpReceiver|
void DlDispatcher::restore() {
canvas_.Restore();
}
// |flutter::DlOpReceiver|
void DlDispatcher::translate(SkScalar tx, SkScalar ty) {
canvas_.Translate({tx, ty, 0.0});
}
// |flutter::DlOpReceiver|
void DlDispatcher::scale(SkScalar sx, SkScalar sy) {
canvas_.Scale({sx, sy, 1.0});
}
// |flutter::DlOpReceiver|
void DlDispatcher::rotate(SkScalar degrees) {
canvas_.Rotate(Degrees{degrees});
}
// |flutter::DlOpReceiver|
void DlDispatcher::skew(SkScalar sx, SkScalar sy) {
canvas_.Skew(sx, sy);
}
// |flutter::DlOpReceiver|
void DlDispatcher::transform2DAffine(SkScalar mxx,
SkScalar mxy,
SkScalar mxt,
SkScalar myx,
SkScalar myy,
SkScalar myt) {
// clang-format off
transformFullPerspective(
mxx, mxy, 0, mxt,
myx, myy, 0, myt,
0 , 0, 1, 0,
0 , 0, 0, 1
);
// clang-format on
}
// |flutter::DlOpReceiver|
void DlDispatcher::transformFullPerspective(SkScalar mxx,
SkScalar mxy,
SkScalar mxz,
SkScalar mxt,
SkScalar myx,
SkScalar myy,
SkScalar myz,
SkScalar myt,
SkScalar mzx,
SkScalar mzy,
SkScalar mzz,
SkScalar mzt,
SkScalar mwx,
SkScalar mwy,
SkScalar mwz,
SkScalar mwt) {
// The order of arguments is row-major but Impeller matrices are
// column-major.
// clang-format off
auto transform = Matrix{
mxx, myx, mzx, mwx,
mxy, myy, mzy, mwy,
mxz, myz, mzz, mwz,
mxt, myt, mzt, mwt
};
// clang-format on
canvas_.Transform(transform);
}
// |flutter::DlOpReceiver|
void DlDispatcher::transformReset() {
canvas_.ResetTransform();
canvas_.Transform(initial_matrix_);
}
static Entity::ClipOperation ToClipOperation(
flutter::DlCanvas::ClipOp clip_op) {
switch (clip_op) {
case flutter::DlCanvas::ClipOp::kDifference:
return Entity::ClipOperation::kDifference;
case flutter::DlCanvas::ClipOp::kIntersect:
return Entity::ClipOperation::kIntersect;
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::clipRect(const SkRect& rect, ClipOp clip_op, bool is_aa) {
canvas_.ClipRect(skia_conversions::ToRect(rect), ToClipOperation(clip_op));
}
// |flutter::DlOpReceiver|
void DlDispatcher::clipRRect(const SkRRect& rrect, ClipOp sk_op, bool is_aa) {
auto clip_op = ToClipOperation(sk_op);
if (rrect.isRect()) {
canvas_.ClipRect(skia_conversions::ToRect(rrect.rect()), clip_op);
} else if (rrect.isOval()) {
canvas_.ClipOval(skia_conversions::ToRect(rrect.rect()), clip_op);
} else if (rrect.isSimple()) {
canvas_.ClipRRect(skia_conversions::ToRect(rrect.rect()),
skia_conversions::ToSize(rrect.getSimpleRadii()),
clip_op);
} else {
canvas_.ClipPath(skia_conversions::ToPath(rrect), clip_op);
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::clipPath(const SkPath& path, ClipOp sk_op, bool is_aa) {
UNIMPLEMENTED;
}
const Path& DlDispatcher::GetOrCachePath(const CacheablePath& cache) {
if (cache.cached_impeller_path.IsEmpty() && !cache.sk_path.isEmpty()) {
cache.cached_impeller_path = skia_conversions::ToPath(cache.sk_path);
}
return cache.cached_impeller_path;
}
// |flutter::DlOpReceiver|
void DlDispatcher::clipPath(const CacheablePath& cache,
ClipOp sk_op,
bool is_aa) {
auto clip_op = ToClipOperation(sk_op);
SkRect rect;
if (cache.sk_path.isRect(&rect)) {
canvas_.ClipRect(skia_conversions::ToRect(rect), clip_op);
} else if (cache.sk_path.isOval(&rect)) {
canvas_.ClipOval(skia_conversions::ToRect(rect), clip_op);
} else {
SkRRect rrect;
if (cache.sk_path.isRRect(&rrect) && rrect.isSimple()) {
canvas_.ClipRRect(skia_conversions::ToRect(rrect.rect()),
skia_conversions::ToSize(rrect.getSimpleRadii()),
clip_op);
} else {
canvas_.ClipPath(GetOrCachePath(cache), clip_op);
}
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawColor(flutter::DlColor color,
flutter::DlBlendMode dl_mode) {
Paint paint;
paint.color = skia_conversions::ToColor(color);
paint.blend_mode = ToBlendMode(dl_mode);
canvas_.DrawPaint(paint);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawPaint() {
canvas_.DrawPaint(paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawLine(const SkPoint& p0, const SkPoint& p1) {
canvas_.DrawLine(skia_conversions::ToPoint(p0), skia_conversions::ToPoint(p1),
paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawRect(const SkRect& rect) {
canvas_.DrawRect(skia_conversions::ToRect(rect), paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawOval(const SkRect& bounds) {
canvas_.DrawOval(skia_conversions::ToRect(bounds), paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawCircle(const SkPoint& center, SkScalar radius) {
canvas_.DrawCircle(skia_conversions::ToPoint(center), radius, paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawRRect(const SkRRect& rrect) {
if (rrect.isSimple()) {
canvas_.DrawRRect(skia_conversions::ToRect(rrect.rect()),
skia_conversions::ToSize(rrect.getSimpleRadii()), paint_);
} else {
canvas_.DrawPath(skia_conversions::ToPath(rrect), paint_);
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawDRRect(const SkRRect& outer, const SkRRect& inner) {
PathBuilder builder;
builder.AddPath(skia_conversions::ToPath(outer));
builder.AddPath(skia_conversions::ToPath(inner));
canvas_.DrawPath(builder.TakePath(FillType::kOdd), paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawPath(const SkPath& path) {
UNIMPLEMENTED;
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawPath(const CacheablePath& cache) {
SimplifyOrDrawPath(canvas_, cache, paint_);
}
void DlDispatcher::SimplifyOrDrawPath(CanvasType& canvas,
const CacheablePath& cache,
const Paint& paint) {
SkRect rect;
// We can't "optimize" a path into a rectangle if it's open.
bool closed;
if (cache.sk_path.isRect(&rect, &closed) && closed) {
canvas.DrawRect(skia_conversions::ToRect(rect), paint);
return;
}
SkRRect rrect;
if (cache.sk_path.isRRect(&rrect) && rrect.isSimple()) {
canvas.DrawRRect(skia_conversions::ToRect(rrect.rect()),
skia_conversions::ToSize(rrect.getSimpleRadii()), paint);
return;
}
SkRect oval;
if (cache.sk_path.isOval(&oval)) {
canvas.DrawOval(skia_conversions::ToRect(oval), paint);
return;
}
canvas.DrawPath(GetOrCachePath(cache), paint);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawArc(const SkRect& oval_bounds,
SkScalar start_degrees,
SkScalar sweep_degrees,
bool use_center) {
PathBuilder builder;
builder.AddArc(skia_conversions::ToRect(oval_bounds), Degrees(start_degrees),
Degrees(sweep_degrees), use_center);
canvas_.DrawPath(builder.TakePath(), paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawPoints(PointMode mode,
uint32_t count,
const SkPoint points[]) {
Paint paint = paint_;
paint.style = Paint::Style::kStroke;
switch (mode) {
case flutter::DlCanvas::PointMode::kPoints: {
// Cap::kButt is also treated as a square.
auto point_style = paint.stroke_cap == Cap::kRound ? PointStyle::kRound
: PointStyle::kSquare;
auto radius = paint.stroke_width;
if (radius > 0) {
radius /= 2.0;
}
canvas_.DrawPoints(skia_conversions::ToPoints(points, count), radius,
paint, point_style);
} break;
case flutter::DlCanvas::PointMode::kLines:
for (uint32_t i = 1; i < count; i += 2) {
Point p0 = skia_conversions::ToPoint(points[i - 1]);
Point p1 = skia_conversions::ToPoint(points[i]);
canvas_.DrawLine(p0, p1, paint);
}
break;
case flutter::DlCanvas::PointMode::kPolygon:
if (count > 1) {
Point p0 = skia_conversions::ToPoint(points[0]);
for (uint32_t i = 1; i < count; i++) {
Point p1 = skia_conversions::ToPoint(points[i]);
canvas_.DrawLine(p0, p1, paint);
p0 = p1;
}
}
break;
}
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawVertices(const flutter::DlVertices* vertices,
flutter::DlBlendMode dl_mode) {
canvas_.DrawVertices(MakeVertices(vertices), ToBlendMode(dl_mode), paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawImage(const sk_sp<flutter::DlImage> image,
const SkPoint point,
flutter::DlImageSampling sampling,
bool render_with_attributes) {
if (!image) {
return;
}
auto texture = image->impeller_texture();
if (!texture) {
return;
}
const auto size = texture->GetSize();
const auto src = SkRect::MakeWH(size.width, size.height);
const auto dest =
SkRect::MakeXYWH(point.fX, point.fY, size.width, size.height);
drawImageRect(image, // image
src, // source rect
dest, // destination rect
sampling, // sampling options
render_with_attributes, // render with attributes
SrcRectConstraint::kStrict // constraint
);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawImageRect(
const sk_sp<flutter::DlImage> image,
const SkRect& src,
const SkRect& dst,
flutter::DlImageSampling sampling,
bool render_with_attributes,
SrcRectConstraint constraint = SrcRectConstraint::kFast) {
canvas_.DrawImageRect(
std::make_shared<Image>(image->impeller_texture()), // image
skia_conversions::ToRect(src), // source rect
skia_conversions::ToRect(dst), // destination rect
render_with_attributes ? paint_ : Paint(), // paint
ToSamplerDescriptor(sampling) // sampling
);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawImageNine(const sk_sp<flutter::DlImage> image,
const SkIRect& center,
const SkRect& dst,
flutter::DlFilterMode filter,
bool render_with_attributes) {
NinePatchConverter converter = {};
converter.DrawNinePatch(
std::make_shared<Image>(image->impeller_texture()),
Rect::MakeLTRB(center.fLeft, center.fTop, center.fRight, center.fBottom),
skia_conversions::ToRect(dst), ToSamplerDescriptor(filter), &canvas_,
&paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawAtlas(const sk_sp<flutter::DlImage> atlas,
const SkRSXform xform[],
const SkRect tex[],
const flutter::DlColor colors[],
int count,
flutter::DlBlendMode mode,
flutter::DlImageSampling sampling,
const SkRect* cull_rect,
bool render_with_attributes) {
canvas_.DrawAtlas(std::make_shared<Image>(atlas->impeller_texture()),
skia_conversions::ToRSXForms(xform, count),
skia_conversions::ToRects(tex, count),
ToColors(colors, count), ToBlendMode(mode),
ToSamplerDescriptor(sampling),
skia_conversions::ToRect(cull_rect), paint_);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawDisplayList(
const sk_sp<flutter::DisplayList> display_list,
SkScalar opacity) {
// Save all values that must remain untouched after the operation.
Paint saved_paint = paint_;
Matrix saved_initial_matrix = initial_matrix_;
int restore_count = canvas_.GetSaveCount();
// The display list may alter the clip, which must be restored to the current
// clip at the end of playback.
canvas_.Save();
// Establish a new baseline for interpreting the new DL.
// Matrix and clip are left untouched, the current
// transform is saved as the new base matrix, and paint
// values are reset to defaults.
initial_matrix_ = canvas_.GetCurrentTransform();
paint_ = Paint();
// Handle passed opacity in the most brute-force way by using
// a SaveLayer. If the display_list is able to inherit the
// opacity, this could also be handled by modulating all of its
// attribute settings (for example, color), by the indicated
// opacity.
if (opacity < SK_Scalar1) {
Paint save_paint;
save_paint.color = Color(0, 0, 0, opacity);
canvas_.SaveLayer(save_paint);
}
// TODO(131445): Remove this restriction if we can correctly cull with
// perspective transforms.
if (display_list->has_rtree() && !initial_matrix_.HasPerspective()) {
// The canvas remembers the screen-space culling bounds clipped by
// the surface and the history of clip calls. DisplayList can cull
// the ops based on a rectangle expressed in its "destination bounds"
// so we need the canvas to transform those into the current local
// coordinate space into which the DisplayList will be rendered.
auto cull_bounds = canvas_.GetCurrentLocalCullingBounds();
if (cull_bounds.has_value()) {
Rect cull_rect = cull_bounds.value();
display_list->Dispatch(
*this, SkRect::MakeLTRB(cull_rect.GetLeft(), cull_rect.GetTop(),
cull_rect.GetRight(), cull_rect.GetBottom()));
} else {
display_list->Dispatch(*this);
}
} else {
display_list->Dispatch(*this);
}
// Restore all saved state back to what it was before we interpreted
// the display_list
canvas_.RestoreToCount(restore_count);
initial_matrix_ = saved_initial_matrix;
paint_ = saved_paint;
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawTextBlob(const sk_sp<SkTextBlob> blob,
SkScalar x,
SkScalar y) {
// When running with Impeller enabled Skia text blobs are converted to
// Impeller text frames in paragraph_skia.cc
UNIMPLEMENTED;
}
void DlDispatcher::drawTextFrame(const std::shared_ptr<TextFrame>& text_frame,
SkScalar x,
SkScalar y) {
canvas_.DrawTextFrame(text_frame, //
impeller::Point{x, y}, //
paint_ //
);
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawShadow(const SkPath& path,
const flutter::DlColor color,
const SkScalar elevation,
bool transparent_occluder,
SkScalar dpr) {
UNIMPLEMENTED;
}
// |flutter::DlOpReceiver|
void DlDispatcher::drawShadow(const CacheablePath& cache,
const flutter::DlColor color,
const SkScalar elevation,
bool transparent_occluder,
SkScalar dpr) {
Color spot_color = skia_conversions::ToColor(color);
spot_color.alpha *= 0.25;
// Compute the spot color -- ported from SkShadowUtils::ComputeTonalColors.
{
Scalar max =
std::max(std::max(spot_color.red, spot_color.green), spot_color.blue);
Scalar min =
std::min(std::min(spot_color.red, spot_color.green), spot_color.blue);
Scalar luminance = (min + max) * 0.5;
Scalar alpha_adjust =
(2.6f + (-2.66667f + 1.06667f * spot_color.alpha) * spot_color.alpha) *
spot_color.alpha;
Scalar color_alpha =
(3.544762f + (-4.891428f + 2.3466f * luminance) * luminance) *
luminance;
color_alpha = std::clamp(alpha_adjust * color_alpha, 0.0f, 1.0f);
Scalar greyscale_alpha =
std::clamp(spot_color.alpha * (1 - 0.4f * luminance), 0.0f, 1.0f);
Scalar color_scale = color_alpha * (1 - greyscale_alpha);
Scalar tonal_alpha = color_scale + greyscale_alpha;
Scalar unpremul_scale = tonal_alpha != 0 ? color_scale / tonal_alpha : 0;
spot_color = Color(unpremul_scale * spot_color.red,
unpremul_scale * spot_color.green,
unpremul_scale * spot_color.blue, tonal_alpha);
}
Vector3 light_position(0, -1, 1);
Scalar occluder_z = dpr * elevation;
constexpr Scalar kLightRadius = 800 / 600; // Light radius / light height
Paint paint;
paint.style = Paint::Style::kFill;
paint.color = spot_color;
paint.mask_blur_descriptor = Paint::MaskBlurDescriptor{
.style = FilterContents::BlurStyle::kNormal,
.sigma = Radius{kLightRadius * occluder_z /
canvas_.GetCurrentTransform().GetScale().y},
};
canvas_.Save();
canvas_.PreConcat(
Matrix::MakeTranslation(Vector2(0, -occluder_z * light_position.y)));
SimplifyOrDrawPath(canvas_, cache, paint);
canvas_.Restore();
}
Picture DlDispatcher::EndRecordingAsPicture() {
TRACE_EVENT0("impeller", "DisplayListDispatcher::EndRecordingAsPicture");
return canvas_.EndRecordingAsPicture();
}
} // namespace impeller
| engine/impeller/display_list/dl_dispatcher.cc/0 | {
"file_path": "engine/impeller/display_list/dl_dispatcher.cc",
"repo_id": "engine",
"token_count": 17730
} | 221 |
# Android Vulkan Validation Layers
If you want to run Vulkan Validation Layers with a custom engine build you need
to add the `--enable-vulkan-validation-layers` to the `gn` invocation to make
sure the layers are built and injected into the Flutter jar.
Example:
```sh
flutter/tools/gn \
--runtime-mode=debug \
--enable-vulkan-validation-layers \
--no-lto \
--unoptimized \
--android \
--android-cpu=arm64
```
Then adding the following field to the
`android/app/src/main/AndroidManifest.xml` will turn them on:
```xml
<meta-data
android:name="io.flutter.embedding.android.EnableVulkanValidation"
android:value="true" />
```
| engine/impeller/docs/android_validation_layers.md/0 | {
"file_path": "engine/impeller/docs/android_validation_layers.md",
"repo_id": "engine",
"token_count": 216
} | 222 |
# Frequently Asked Questions
* How do I enable Impeller to try it out myself?
* See the instructions in the README on how to [try Impeller in
Flutter](https://github.com/flutter/engine/tree/main/impeller#try-impeller-in-flutter).
* Support on some platforms is further along than on others. The current
priority for the team is to support iOS, Android, Desktops, and Embedder API
users (in that rough order).
* I am running into issues when Impeller is enabled, how do I report them?
* Like any other Flutter issue, you can report them on the [GitHub issue
tracker](https://github.com/flutter/flutter/issues/new/choose).
* Please explicitly mention that this is an Impeller specific regression. You
can quickly swap between the Impeller and Skia backends using the command
line flag flag detailed in [section in the README on how to try
Impeller](https://github.com/flutter/engine/tree/main/impeller#try-impeller-in-flutter).
* Reduced test cases are the most useful.
* Please also report any performance regressions.
* What does it mean for an Impeller platform to be "in preview". How long will
be the preview last?
* The team is focused on getting one platform right at a time. This includes
ensuring all fidelity issues are fixed, performance issues addressed, and
compatibility with plugins guaranteed.
* When the team believes that the majority of Flutter applications will
benefit from Impeller on a specific platform, the backend will be declared
to be in preview.
* During the preview, Flutter developers will need to opt in to using
Impeller.
* The top priority of the team will be to address issues reported by
developers opting into the preview. The team wants the preview phase for a
platform to be as short as possible.
* Once major issues reported by platforms in preview become manageable, the
preview ends and Impeller becomes the default rendering backend.
* Besides working on fixing issues reported on platforms in preview, and
working on supporting additional platforms, the team is also undertaking a
high-touch exercise of migrating large existing Flutter applications to use
Impeller. The team will find and fix any issues it encounters during this
exercise.
* The length of the preview will depend on the number and nature of the issues
filed by developers and discovered by the team.
* Even once the preview ends, the developer can opt into the legacy rendering
backend for a short period of time. The legacy backend will be removed after
this period.
* What can I expect when I opt in to using Impeller?
* A high level overview of the status of project is [present on the
wiki](https://github.com/flutter/flutter/wiki/Impeller#status).
* All Impeller related work items are tracked on a [project specific dashboard
on GitHub](https://github.com/orgs/flutter/projects/21).
* The team tracks known platform specific issues in their own milestones:
* [iOS](https://github.com/flutter/flutter/milestone/77)
* [Android](https://github.com/flutter/flutter/milestone/76)
* Does Impeller use Skia for rendering?
* No. Impeller has no direct dependencies on Skia.
* When running with Impeller, Flutter does not create a Skia graphics context.
* However, while Impeller still performs text rendering, text layout and
shaping needs to be done by a separate component. This component happens to
be SkParagraph which is part of Skia.
* Similarly, Impeller does not perform image decompression. Flutter uses a
standard set of codecs wrapped by Skia before querying the system supplied
image formats.
* So, while Impeller does not use nor is a wrapper for Skia, some Skia
components are still used by Flutter when rendering using Impeller.
* Is Impeller going to be supported on the Web?
* The current priority for Impeller is to be amazing on all platforms targeted
by the C++ engine. This includes iOS, Android, desktops, and, all Embedder
API users. This would be by building Metal, Open GL, Open GL ES, and, Vulkan
rendering backends.
* The Open GL ES backend ought to work fine to target WebGL/WebGL2 and the
team can fix any issues found in such uses of the backend.
* However, in Flutter, Impeller sits behind the Display List interface in the
C++ engine. Display lists apply optimizations to the Flutter rendering
intent. But, more importantly for Impeller, they also provide a generic
interface with the ability to specify "dispatchers" to different rendering
packages. Today, the engine has Skia and Impeller dispatchers for display
lists.
* The web engine is unique in that it doesn't use any C++ engine components.
This includes the display lists mechanism. Instead, it interfaces directly
with Skia via the CanvasKit package.
* Updating the web engine to interface directly with Impeller is a non-goal at
this time. It is a significant undertaking (compared to a flag to swap
dispatchers that already exists) and also bypasses display list
optimizations.
* For this added implementation complexity, Web support has not been a
priority at this time for the small team working on Impeller.
* We are aware that these priorities might change in the future. There have
been sanity checks to ensure that the Impeller API can be ported to WASM and
also that Impeller shaders can be [compiled to
WGSL](https://github.com/chinmaygarde/wgsl_sandbox) for eventual WebGPU
support.
* How will Impeller affect the way in which Flutter applications are created and
packaged?
* It won't.
* Impeller, like Skia, is an implementation detail of the Flutter Engine.
Using a different rendering package will not affect the way in which the
Flutter Engine is used.
* Like with Skia today, none of Impellers symbols will be exposed from the
Flutter Engine dynamic library.
* The binary size overhead of Impeller is around 100 KB per architecture. This
includes all precompiled shaders.
* Impeller is compiled into the Flutter engine. It is currently behind a flag
as development progresses.
* How do you run `impeller_unittests` with Playgrounds enabled?
* Specify the `--enable_playground` command-line option.
| engine/impeller/docs/faq.md/0 | {
"file_path": "engine/impeller/docs/faq.md",
"repo_id": "engine",
"token_count": 1699
} | 223 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_ENTITY_CONTENTS_CHECKERBOARD_CONTENTS_H_
#define FLUTTER_IMPELLER_ENTITY_CONTENTS_CHECKERBOARD_CONTENTS_H_
#include "impeller/entity/contents/contents.h"
namespace impeller {
/// A special Contents that renders a translucent checkerboard pattern with a
/// random color over the entire pass texture. This is useful for visualizing
/// offscreen textures.
class CheckerboardContents final : public Contents {
public:
CheckerboardContents();
// |Contents|
~CheckerboardContents() override;
// |Contents|
bool Render(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const override;
// |Contents|
std::optional<Rect> GetCoverage(const Entity& entity) const override;
void SetColor(Color color);
void SetSquareSize(Scalar square_size);
private:
Color color_ = Color::Red().WithAlpha(0.25);
Scalar square_size_ = 12;
CheckerboardContents(const CheckerboardContents&) = delete;
CheckerboardContents& operator=(const CheckerboardContents&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_ENTITY_CONTENTS_CHECKERBOARD_CONTENTS_H_
| engine/impeller/entity/contents/checkerboard_contents.h/0 | {
"file_path": "engine/impeller/entity/contents/checkerboard_contents.h",
"repo_id": "engine",
"token_count": 417
} | 224 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_ENTITY_CONTENTS_FILTERS_BORDER_MASK_BLUR_FILTER_CONTENTS_H_
#define FLUTTER_IMPELLER_ENTITY_CONTENTS_FILTERS_BORDER_MASK_BLUR_FILTER_CONTENTS_H_
#include <memory>
#include <optional>
#include "impeller/entity/contents/filters/filter_contents.h"
#include "impeller/entity/contents/filters/inputs/filter_input.h"
namespace impeller {
class BorderMaskBlurFilterContents final : public FilterContents {
public:
BorderMaskBlurFilterContents();
~BorderMaskBlurFilterContents() override;
void SetSigma(Sigma sigma_x, Sigma sigma_y);
void SetBlurStyle(BlurStyle blur_style);
// |FilterContents|
std::optional<Rect> GetFilterCoverage(
const FilterInput::Vector& inputs,
const Entity& entity,
const Matrix& effect_transform) const override;
// |FilterContents|
std::optional<Rect> GetFilterSourceCoverage(
const Matrix& effect_transform,
const Rect& output_limit) const override;
private:
// |FilterContents|
std::optional<Entity> RenderFilter(
const FilterInput::Vector& input_textures,
const ContentContext& renderer,
const Entity& entity,
const Matrix& effect_transform,
const Rect& coverage,
const std::optional<Rect>& coverage_hint) const override;
Sigma sigma_x_;
Sigma sigma_y_;
BlurStyle blur_style_ = BlurStyle::kNormal;
bool src_color_factor_ = false;
bool inner_blur_factor_ = true;
bool outer_blur_factor_ = true;
BorderMaskBlurFilterContents(const BorderMaskBlurFilterContents&) = delete;
BorderMaskBlurFilterContents& operator=(const BorderMaskBlurFilterContents&) =
delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_ENTITY_CONTENTS_FILTERS_BORDER_MASK_BLUR_FILTER_CONTENTS_H_
| engine/impeller/entity/contents/filters/border_mask_blur_filter_contents.h/0 | {
"file_path": "engine/impeller/entity/contents/filters/border_mask_blur_filter_contents.h",
"repo_id": "engine",
"token_count": 661
} | 225 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include <memory>
#include "flutter/testing/testing.h"
#include "gtest/gtest.h"
#include "impeller/entity/contents/filters/color_filter_contents.h"
#include "impeller/entity/contents/filters/inputs/filter_input.h"
#include "impeller/entity/entity.h"
#include "impeller/geometry/color.h"
#include "impeller/geometry/geometry_asserts.h"
namespace impeller {
namespace testing {
TEST(FilterInputTest, CanSetLocalTransformForTexture) {
std::shared_ptr<Texture> texture = nullptr;
auto input =
FilterInput::Make(texture, Matrix::MakeTranslation({1.0, 0.0, 0.0}));
Entity e;
e.SetTransform(Matrix::MakeTranslation({0.0, 2.0, 0.0}));
ASSERT_MATRIX_NEAR(input->GetLocalTransform(e),
Matrix::MakeTranslation({1.0, 0.0, 0.0}));
ASSERT_MATRIX_NEAR(input->GetTransform(e),
Matrix::MakeTranslation({1.0, 2.0, 0.0}));
}
TEST(FilterInputTest, IsLeaf) {
std::shared_ptr<FilterContents> leaf =
ColorFilterContents::MakeBlend(BlendMode::kSource, {});
ASSERT_TRUE(leaf->IsLeaf());
auto base = ColorFilterContents::MakeMatrixFilter(FilterInput::Make(leaf),
Matrix(), {});
ASSERT_TRUE(leaf->IsLeaf());
ASSERT_FALSE(base->IsLeaf());
}
TEST(FilterInputTest, SetCoverageInputs) {
std::shared_ptr<FilterContents> leaf =
ColorFilterContents::MakeBlend(BlendMode::kSource, {});
ASSERT_TRUE(leaf->IsLeaf());
auto base = ColorFilterContents::MakeMatrixFilter(FilterInput::Make(leaf),
Matrix(), {});
{
auto result = base->GetCoverage({});
ASSERT_FALSE(result.has_value());
}
auto coverage_rect = Rect::MakeLTRB(100, 100, 200, 200);
base->SetLeafInputs(FilterInput::Make({coverage_rect}));
{
auto result = base->GetCoverage({});
ASSERT_TRUE(result.has_value());
// NOLINTNEXTLINE(bugprone-unchecked-optional-access)
ASSERT_RECT_NEAR(result.value(), coverage_rect);
}
}
} // namespace testing
} // namespace impeller
| engine/impeller/entity/contents/filters/inputs/filter_input_unittests.cc/0 | {
"file_path": "engine/impeller/entity/contents/filters/inputs/filter_input_unittests.cc",
"repo_id": "engine",
"token_count": 885
} | 226 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_ENTITY_CONTENTS_FILTERS_YUV_TO_RGB_FILTER_CONTENTS_H_
#define FLUTTER_IMPELLER_ENTITY_CONTENTS_FILTERS_YUV_TO_RGB_FILTER_CONTENTS_H_
#include "impeller/entity/contents/filters/filter_contents.h"
namespace impeller {
class YUVToRGBFilterContents final : public FilterContents {
public:
YUVToRGBFilterContents();
~YUVToRGBFilterContents() override;
void SetYUVColorSpace(YUVColorSpace yuv_color_space);
private:
// |FilterContents|
std::optional<Entity> RenderFilter(
const FilterInput::Vector& input_textures,
const ContentContext& renderer,
const Entity& entity,
const Matrix& effect_transform,
const Rect& coverage,
const std::optional<Rect>& coverage_hint) const override;
// |FilterContents|
std::optional<Rect> GetFilterSourceCoverage(
const Matrix& effect_transform,
const Rect& output_limit) const override;
YUVColorSpace yuv_color_space_ = YUVColorSpace::kBT601LimitedRange;
YUVToRGBFilterContents(const YUVToRGBFilterContents&) = delete;
YUVToRGBFilterContents& operator=(const YUVToRGBFilterContents&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_ENTITY_CONTENTS_FILTERS_YUV_TO_RGB_FILTER_CONTENTS_H_
| engine/impeller/entity/contents/filters/yuv_to_rgb_filter_contents.h/0 | {
"file_path": "engine/impeller/entity/contents/filters/yuv_to_rgb_filter_contents.h",
"repo_id": "engine",
"token_count": 485
} | 227 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/entity/contents/solid_rrect_blur_contents.h"
#include <optional>
#include "impeller/entity/contents/content_context.h"
#include "impeller/entity/entity.h"
#include "impeller/geometry/color.h"
#include "impeller/geometry/constants.h"
#include "impeller/renderer/render_pass.h"
#include "impeller/renderer/vertex_buffer_builder.h"
namespace impeller {
namespace {
// Generous padding to make sure blurs with large sigmas are fully visible.
// Used to expand the geometry around the rrect.
Scalar PadForSigma(Scalar sigma) {
return sigma * 4.0;
}
} // namespace
SolidRRectBlurContents::SolidRRectBlurContents() = default;
SolidRRectBlurContents::~SolidRRectBlurContents() = default;
void SolidRRectBlurContents::SetRRect(std::optional<Rect> rect,
Size corner_radii) {
rect_ = rect;
corner_radii_ = corner_radii;
}
void SolidRRectBlurContents::SetSigma(Sigma sigma) {
sigma_ = sigma;
}
void SolidRRectBlurContents::SetColor(Color color) {
color_ = color.Premultiply();
}
Color SolidRRectBlurContents::GetColor() const {
return color_;
}
std::optional<Rect> SolidRRectBlurContents::GetCoverage(
const Entity& entity) const {
if (!rect_.has_value()) {
return std::nullopt;
}
Scalar radius = PadForSigma(sigma_.sigma);
return rect_->Expand(radius).TransformBounds(entity.GetTransform());
}
bool SolidRRectBlurContents::Render(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const {
if (!rect_.has_value()) {
return true;
}
using VS = RRectBlurPipeline::VertexShader;
using FS = RRectBlurPipeline::FragmentShader;
VertexBufferBuilder<VS::PerVertexData> vtx_builder;
// Clamp the max kernel width/height to 1000 to limit the extent
// of the blur and to kEhCloseEnough to prevent NaN calculations
// trying to evaluate a Guassian distribution with a sigma of 0.
auto blur_sigma = std::clamp(sigma_.sigma, kEhCloseEnough, 250.0f);
// Increase quality by making the radius a bit bigger than the typical
// sigma->radius conversion we use for slower blurs.
auto blur_radius = PadForSigma(blur_sigma);
auto positive_rect = rect_->GetPositive();
{
auto left = -blur_radius;
auto top = -blur_radius;
auto right = positive_rect.GetWidth() + blur_radius;
auto bottom = positive_rect.GetHeight() + blur_radius;
vtx_builder.AddVertices({
{Point(left, top)},
{Point(right, top)},
{Point(left, bottom)},
{Point(right, bottom)},
});
}
ContentContextOptions opts = OptionsFromPassAndEntity(pass, entity);
opts.primitive_type = PrimitiveType::kTriangleStrip;
Color color = color_;
if (entity.GetBlendMode() == BlendMode::kClear) {
opts.is_for_rrect_blur_clear = true;
color = Color::White();
}
VS::FrameInfo frame_info;
frame_info.depth = entity.GetShaderClipDepth();
frame_info.mvp = pass.GetOrthographicTransform() * entity.GetTransform() *
Matrix::MakeTranslation(positive_rect.GetOrigin());
FS::FragInfo frag_info;
frag_info.color = color;
frag_info.blur_sigma = blur_sigma;
frag_info.rect_size = Point(positive_rect.GetSize());
frag_info.corner_radii = {std::clamp(corner_radii_.width, kEhCloseEnough,
positive_rect.GetWidth() * 0.5f),
std::clamp(corner_radii_.width, kEhCloseEnough,
positive_rect.GetHeight() * 0.5f)};
pass.SetCommandLabel("RRect Shadow");
pass.SetPipeline(renderer.GetRRectBlurPipeline(opts));
pass.SetStencilReference(entity.GetClipDepth());
pass.SetVertexBuffer(
vtx_builder.CreateVertexBuffer(renderer.GetTransientsBuffer()));
VS::BindFrameInfo(pass,
renderer.GetTransientsBuffer().EmplaceUniform(frame_info));
FS::BindFragInfo(pass,
renderer.GetTransientsBuffer().EmplaceUniform(frag_info));
if (!pass.Draw().ok()) {
return false;
}
return true;
}
bool SolidRRectBlurContents::ApplyColorFilter(
const ColorFilterProc& color_filter_proc) {
color_ = color_filter_proc(color_);
return true;
}
} // namespace impeller
| engine/impeller/entity/contents/solid_rrect_blur_contents.cc/0 | {
"file_path": "engine/impeller/entity/contents/solid_rrect_blur_contents.cc",
"repo_id": "engine",
"token_count": 1718
} | 228 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_ENTITY_CONTENTS_VERTICES_CONTENTS_H_
#define FLUTTER_IMPELLER_ENTITY_CONTENTS_VERTICES_CONTENTS_H_
#include <functional>
#include <memory>
#include <vector>
#include "flutter/fml/macros.h"
#include "impeller/core/sampler_descriptor.h"
#include "impeller/entity/contents/contents.h"
#include "impeller/entity/entity.h"
#include "impeller/entity/geometry/geometry.h"
#include "impeller/entity/geometry/vertices_geometry.h"
#include "impeller/geometry/color.h"
#include "impeller/geometry/path.h"
#include "impeller/geometry/point.h"
namespace impeller {
class VerticesContents final : public Contents {
public:
VerticesContents();
~VerticesContents() override;
void SetGeometry(std::shared_ptr<VerticesGeometry> geometry);
void SetAlpha(Scalar alpha);
void SetBlendMode(BlendMode blend_mode);
void SetSourceContents(std::shared_ptr<Contents> contents);
std::shared_ptr<VerticesGeometry> GetGeometry() const;
const std::shared_ptr<Contents>& GetSourceContents() const;
// |Contents|
std::optional<Rect> GetCoverage(const Entity& entity) const override;
// |Contents|
bool Render(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const override;
private:
Scalar alpha_;
std::shared_ptr<VerticesGeometry> geometry_;
BlendMode blend_mode_ = BlendMode::kSource;
std::shared_ptr<Contents> src_contents_;
VerticesContents(const VerticesContents&) = delete;
VerticesContents& operator=(const VerticesContents&) = delete;
};
class VerticesColorContents final : public Contents {
public:
explicit VerticesColorContents(const VerticesContents& parent);
~VerticesColorContents() override;
// |Contents|
std::optional<Rect> GetCoverage(const Entity& entity) const override;
// |Contents|
bool Render(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const override;
void SetAlpha(Scalar alpha);
private:
const VerticesContents& parent_;
Scalar alpha_ = 1.0;
VerticesColorContents(const VerticesColorContents&) = delete;
VerticesColorContents& operator=(const VerticesColorContents&) = delete;
};
class VerticesUVContents final : public Contents {
public:
explicit VerticesUVContents(const VerticesContents& parent);
~VerticesUVContents() override;
// |Contents|
std::optional<Rect> GetCoverage(const Entity& entity) const override;
// |Contents|
bool Render(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const override;
void SetAlpha(Scalar alpha);
private:
const VerticesContents& parent_;
Scalar alpha_ = 1.0;
VerticesUVContents(const VerticesUVContents&) = delete;
VerticesUVContents& operator=(const VerticesUVContents&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_ENTITY_CONTENTS_VERTICES_CONTENTS_H_
| engine/impeller/entity/contents/vertices_contents.h/0 | {
"file_path": "engine/impeller/entity/contents/vertices_contents.h",
"repo_id": "engine",
"token_count": 1010
} | 229 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/entity/geometry/cover_geometry.h"
#include "impeller/renderer/render_pass.h"
namespace impeller {
CoverGeometry::CoverGeometry() = default;
GeometryResult CoverGeometry::GetPositionBuffer(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const {
auto rect = Rect::MakeSize(pass.GetRenderTargetSize());
constexpr uint16_t kRectIndicies[4] = {0, 1, 2, 3};
auto& host_buffer = renderer.GetTransientsBuffer();
return GeometryResult{
.type = PrimitiveType::kTriangleStrip,
.vertex_buffer =
{
.vertex_buffer = host_buffer.Emplace(
rect.GetTransformedPoints(entity.GetTransform().Invert())
.data(),
8 * sizeof(float), alignof(float)),
.index_buffer = host_buffer.Emplace(
kRectIndicies, 4 * sizeof(uint16_t), alignof(uint16_t)),
.vertex_count = 4,
.index_type = IndexType::k16bit,
},
.transform = pass.GetOrthographicTransform() * entity.GetTransform(),
};
}
// |Geometry|
GeometryResult CoverGeometry::GetPositionUVBuffer(
Rect texture_coverage,
Matrix effect_transform,
const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const {
auto rect = Rect::MakeSize(pass.GetRenderTargetSize());
return ComputeUVGeometryForRect(rect, texture_coverage, effect_transform,
renderer, entity, pass);
}
GeometryVertexType CoverGeometry::GetVertexType() const {
return GeometryVertexType::kPosition;
}
std::optional<Rect> CoverGeometry::GetCoverage(const Matrix& transform) const {
return Rect::MakeMaximum();
}
bool CoverGeometry::CoversArea(const Matrix& transform,
const Rect& rect) const {
return true;
}
} // namespace impeller
| engine/impeller/entity/geometry/cover_geometry.cc/0 | {
"file_path": "engine/impeller/entity/geometry/cover_geometry.cc",
"repo_id": "engine",
"token_count": 890
} | 230 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_ENTITY_GEOMETRY_ROUND_RECT_GEOMETRY_H_
#define FLUTTER_IMPELLER_ENTITY_GEOMETRY_ROUND_RECT_GEOMETRY_H_
#include "impeller/entity/geometry/geometry.h"
namespace impeller {
// Geometry class that can generate vertices (with or without texture
// coordinates) for filled ellipses. Generating vertices for a stroked
// ellipse would require a lot more work since the line width must be
// applied perpendicular to the distorted ellipse shape.
class RoundRectGeometry final : public Geometry {
public:
explicit RoundRectGeometry(const Rect& bounds, const Size& radii);
~RoundRectGeometry() = default;
// |Geometry|
bool CoversArea(const Matrix& transform, const Rect& rect) const override;
// |Geometry|
bool IsAxisAlignedRect() const override;
private:
// |Geometry|
GeometryResult GetPositionBuffer(const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const override;
// |Geometry|
GeometryVertexType GetVertexType() const override;
// |Geometry|
std::optional<Rect> GetCoverage(const Matrix& transform) const override;
// |Geometry|
GeometryResult GetPositionUVBuffer(Rect texture_coverage,
Matrix effect_transform,
const ContentContext& renderer,
const Entity& entity,
RenderPass& pass) const override;
const Rect bounds_;
const Size radii_;
RoundRectGeometry(const RoundRectGeometry&) = delete;
RoundRectGeometry& operator=(const RoundRectGeometry&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_ENTITY_GEOMETRY_ROUND_RECT_GEOMETRY_H_
| engine/impeller/entity/geometry/round_rect_geometry.h/0 | {
"file_path": "engine/impeller/entity/geometry/round_rect_geometry.h",
"repo_id": "engine",
"token_count": 739
} | 231 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include <impeller/conversions.glsl>
#include <impeller/types.glsl>
// Warning: if any of the constant values or layouts are changed in this
// file, then the hard-coded constant value in
// impeller/renderer/backend/vulkan/binding_helpers_vk.cc
uniform FrameInfo {
mat4 mvp;
float depth;
float src_y_coord_scale;
}
frame_info;
in vec2 vertices;
in vec2 src_texture_coords;
out vec2 v_src_texture_coords;
void main() {
gl_Position = frame_info.mvp * vec4(vertices, 0.0, 1.0);
gl_Position /= gl_Position.w;
gl_Position.z = frame_info.depth;
v_src_texture_coords =
IPRemapCoords(src_texture_coords, frame_info.src_y_coord_scale);
}
| engine/impeller/entity/shaders/blending/framebuffer_blend.vert/0 | {
"file_path": "engine/impeller/entity/shaders/blending/framebuffer_blend.vert",
"repo_id": "engine",
"token_count": 295
} | 232 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include <impeller/transform.glsl>
#include <impeller/types.glsl>
uniform FrameInfo {
mat4 mvp;
float depth;
}
frame_info;
in vec2 position;
in vec4 color;
out f16vec4 v_color;
void main() {
gl_Position = frame_info.mvp * vec4(position, 0.0, 1.0);
gl_Position /= gl_Position.w;
gl_Position.z = frame_info.depth;
v_color = f16vec4(color);
}
| engine/impeller/entity/shaders/position_color.vert/0 | {
"file_path": "engine/impeller/entity/shaders/position_color.vert",
"repo_id": "engine",
"token_count": 192
} | 233 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
uniform FrameInfo {
mat4 mvp;
}
frame_info;
in vec2 position;
out vec2 v_position;
void main() {
gl_Position = frame_info.mvp * vec4(position, 0.0, 1.0);
v_position = position;
}
| engine/impeller/fixtures/inactive_uniforms.vert/0 | {
"file_path": "engine/impeller/fixtures/inactive_uniforms.vert",
"repo_id": "engine",
"token_count": 120
} | 234 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/benchmarking/benchmarking.h"
#include "flutter/impeller/entity/solid_fill.vert.h"
#include "flutter/impeller/entity/texture_fill.vert.h"
#include "impeller/entity/geometry/stroke_path_geometry.h"
#include "impeller/geometry/path.h"
#include "impeller/geometry/path_builder.h"
#include "impeller/tessellator/tessellator.h"
namespace impeller {
class ImpellerBenchmarkAccessor {
public:
static std::vector<SolidFillVertexShader::PerVertexData>
GenerateSolidStrokeVertices(const Path::Polyline& polyline,
Scalar stroke_width,
Scalar miter_limit,
Join stroke_join,
Cap stroke_cap,
Scalar scale) {
return StrokePathGeometry::GenerateSolidStrokeVertices(
polyline, stroke_width, miter_limit, stroke_join, stroke_cap, scale);
}
static std::vector<TextureFillVertexShader::PerVertexData>
GenerateSolidStrokeVerticesUV(const Path::Polyline& polyline,
Scalar stroke_width,
Scalar miter_limit,
Join stroke_join,
Cap stroke_cap,
Scalar scale,
Point texture_origin,
Size texture_size,
const Matrix& effect_transform) {
return StrokePathGeometry::GenerateSolidStrokeVerticesUV(
polyline, stroke_width, miter_limit, stroke_join, stroke_cap, scale,
texture_origin, texture_size, effect_transform);
}
};
namespace {
/// A path with many connected cubic components, including
/// overlaps/self-intersections/multi-contour.
Path CreateCubic(bool closed);
/// Similar to the path above, but with all cubics replaced by quadratics.
Path CreateQuadratic(bool closed);
/// Create a rounded rect.
Path CreateRRect();
} // namespace
static Tessellator tess;
template <class... Args>
static void BM_Polyline(benchmark::State& state, Args&&... args) {
auto args_tuple = std::make_tuple(std::move(args)...);
auto path = std::get<Path>(args_tuple);
bool tessellate = std::get<bool>(args_tuple);
size_t point_count = 0u;
size_t single_point_count = 0u;
auto points = std::make_unique<std::vector<Point>>();
points->reserve(2048);
while (state.KeepRunning()) {
if (tessellate) {
tess.Tessellate(path, 1.0f,
[&point_count, &single_point_count](
const float* vertices, size_t vertices_count,
const uint16_t* indices, size_t indices_count) {
if (indices_count > 0) {
single_point_count = indices_count;
point_count += indices_count;
} else {
single_point_count = vertices_count;
point_count += vertices_count;
}
return true;
});
} else {
auto polyline = path.CreatePolyline(
// Clang-tidy doesn't know that the points get moved back before
// getting moved again in this loop.
// NOLINTNEXTLINE(clang-analyzer-cplusplus.Move)
1.0f, std::move(points),
[&points](Path::Polyline::PointBufferPtr reclaimed) {
points = std::move(reclaimed);
});
single_point_count = polyline.points->size();
point_count += single_point_count;
}
}
state.counters["SinglePointCount"] = single_point_count;
state.counters["TotalPointCount"] = point_count;
}
enum class UVMode {
kNoUV,
kUVRect,
kUVRectTx,
};
template <class... Args>
static void BM_StrokePolyline(benchmark::State& state, Args&&... args) {
auto args_tuple = std::make_tuple(std::move(args)...);
auto path = std::get<Path>(args_tuple);
auto cap = std::get<Cap>(args_tuple);
auto join = std::get<Join>(args_tuple);
auto generate_uv = std::get<UVMode>(args_tuple);
const Scalar stroke_width = 5.0f;
const Scalar miter_limit = 10.0f;
const Scalar scale = 1.0f;
const Point texture_origin = Point(0, 0);
const Size texture_size = Size(100, 100);
const Matrix effect_transform = (generate_uv == UVMode::kUVRectTx)
? Matrix::MakeScale({2.0f, 2.0f, 1.0f})
: Matrix();
auto points = std::make_unique<std::vector<Point>>();
points->reserve(2048);
auto polyline =
path.CreatePolyline(1.0f, std::move(points),
[&points](Path::Polyline::PointBufferPtr reclaimed) {
points = std::move(reclaimed);
});
size_t point_count = 0u;
size_t single_point_count = 0u;
while (state.KeepRunning()) {
if (generate_uv == UVMode::kNoUV) {
auto vertices = ImpellerBenchmarkAccessor::GenerateSolidStrokeVertices(
polyline, stroke_width, miter_limit, join, cap, scale);
single_point_count = vertices.size();
} else {
auto vertices = ImpellerBenchmarkAccessor::GenerateSolidStrokeVerticesUV(
polyline, stroke_width, miter_limit, join, cap, scale, //
texture_origin, texture_size, effect_transform);
single_point_count = vertices.size();
}
point_count += single_point_count;
}
state.counters["SinglePointCount"] = single_point_count;
state.counters["TotalPointCount"] = point_count;
}
template <class... Args>
static void BM_Convex(benchmark::State& state, Args&&... args) {
auto args_tuple = std::make_tuple(std::move(args)...);
auto path = std::get<Path>(args_tuple);
size_t point_count = 0u;
size_t single_point_count = 0u;
auto points = std::make_unique<std::vector<Point>>();
points->reserve(2048);
while (state.KeepRunning()) {
auto points = tess.TessellateConvex(path, 1.0f);
single_point_count = points.size();
point_count += points.size();
}
state.counters["SinglePointCount"] = single_point_count;
state.counters["TotalPointCount"] = point_count;
}
#define MAKE_STROKE_BENCHMARK_CAPTURE(path, cap, join, closed, uvname, uvtype) \
BENCHMARK_CAPTURE(BM_StrokePolyline, stroke_##path##_##cap##_##join##uvname, \
Create##path(closed), Cap::k##cap, Join::k##join, uvtype)
#define MAKE_STROKE_BENCHMARK_CAPTURE_CAPS_JOINS(path, uvname, uvtype) \
MAKE_STROKE_BENCHMARK_CAPTURE(path, Butt, Bevel, false, uvname, uvtype); \
MAKE_STROKE_BENCHMARK_CAPTURE(path, Butt, Miter, false, uvname, uvtype); \
MAKE_STROKE_BENCHMARK_CAPTURE(path, Butt, Round, false, uvname, uvtype); \
MAKE_STROKE_BENCHMARK_CAPTURE(path, Square, Bevel, false, uvname, uvtype); \
MAKE_STROKE_BENCHMARK_CAPTURE(path, Round, Bevel, false, uvname, uvtype)
#define MAKE_STROKE_BENCHMARK_CAPTURE_UVS(path) \
MAKE_STROKE_BENCHMARK_CAPTURE_CAPS_JOINS(path, , UVMode::kNoUV); \
MAKE_STROKE_BENCHMARK_CAPTURE_CAPS_JOINS(path, _uv, UVMode::kUVRectTx); \
MAKE_STROKE_BENCHMARK_CAPTURE_CAPS_JOINS(path, _uvNoTx, UVMode::kUVRect)
BENCHMARK_CAPTURE(BM_Polyline, cubic_polyline, CreateCubic(true), false);
BENCHMARK_CAPTURE(BM_Polyline, cubic_polyline_tess, CreateCubic(true), true);
BENCHMARK_CAPTURE(BM_Polyline,
unclosed_cubic_polyline,
CreateCubic(false),
false);
BENCHMARK_CAPTURE(BM_Polyline,
unclosed_cubic_polyline_tess,
CreateCubic(false),
true);
MAKE_STROKE_BENCHMARK_CAPTURE_UVS(Cubic);
BENCHMARK_CAPTURE(BM_Polyline, quad_polyline, CreateQuadratic(true), false);
BENCHMARK_CAPTURE(BM_Polyline, quad_polyline_tess, CreateQuadratic(true), true);
BENCHMARK_CAPTURE(BM_Polyline,
unclosed_quad_polyline,
CreateQuadratic(false),
false);
BENCHMARK_CAPTURE(BM_Polyline,
unclosed_quad_polyline_tess,
CreateQuadratic(false),
true);
MAKE_STROKE_BENCHMARK_CAPTURE_UVS(Quadratic);
BENCHMARK_CAPTURE(BM_Convex, rrect_convex, CreateRRect(), true);
MAKE_STROKE_BENCHMARK_CAPTURE(RRect, Butt, Bevel, , , UVMode::kNoUV);
MAKE_STROKE_BENCHMARK_CAPTURE(RRect, Butt, Bevel, , _uv, UVMode::kUVRectTx);
MAKE_STROKE_BENCHMARK_CAPTURE(RRect, Butt, Bevel, , _uvNoTx, UVMode::kUVRect);
namespace {
Path CreateRRect() {
return PathBuilder{}
.AddRoundedRect(Rect::MakeLTRB(0, 0, 400, 400), 16)
.TakePath();
}
Path CreateCubic(bool closed) {
auto builder = PathBuilder{};
builder //
.MoveTo({359.934, 96.6335})
.CubicCurveTo({358.189, 96.7055}, {356.436, 96.7908}, {354.673, 96.8895})
.CubicCurveTo({354.571, 96.8953}, {354.469, 96.9016}, {354.367, 96.9075})
.CubicCurveTo({352.672, 97.0038}, {350.969, 97.113}, {349.259, 97.2355})
.CubicCurveTo({349.048, 97.2506}, {348.836, 97.2678}, {348.625, 97.2834})
.CubicCurveTo({347.019, 97.4014}, {345.407, 97.5299}, {343.789, 97.6722})
.CubicCurveTo({343.428, 97.704}, {343.065, 97.7402}, {342.703, 97.7734})
.CubicCurveTo({341.221, 97.9086}, {339.736, 98.0505}, {338.246, 98.207})
.CubicCurveTo({337.702, 98.2642}, {337.156, 98.3292}, {336.612, 98.3894})
.CubicCurveTo({335.284, 98.5356}, {333.956, 98.6837}, {332.623, 98.8476})
.CubicCurveTo({332.495, 98.8635}, {332.366, 98.8818}, {332.237, 98.8982})
.LineTo({332.237, 102.601})
.LineTo({321.778, 102.601})
.LineTo({321.778, 100.382})
.CubicCurveTo({321.572, 100.413}, {321.367, 100.442}, {321.161, 100.476})
.CubicCurveTo({319.22, 100.79}, {317.277, 101.123}, {315.332, 101.479})
.CubicCurveTo({315.322, 101.481}, {315.311, 101.482}, {315.301, 101.484})
.LineTo({310.017, 105.94})
.LineTo({309.779, 105.427})
.LineTo({314.403, 101.651})
.CubicCurveTo({314.391, 101.653}, {314.379, 101.656}, {314.368, 101.658})
.CubicCurveTo({312.528, 102.001}, {310.687, 102.366}, {308.846, 102.748})
.CubicCurveTo({307.85, 102.955}, {306.855, 103.182}, {305.859, 103.4})
.CubicCurveTo({305.048, 103.579}, {304.236, 103.75}, {303.425, 103.936})
.LineTo({299.105, 107.578})
.LineTo({298.867, 107.065})
.LineTo({302.394, 104.185})
.LineTo({302.412, 104.171})
.CubicCurveTo({301.388, 104.409}, {300.366, 104.67}, {299.344, 104.921})
.CubicCurveTo({298.618, 105.1}, {297.89, 105.269}, {297.165, 105.455})
.CubicCurveTo({295.262, 105.94}, {293.36, 106.445}, {291.462, 106.979})
.CubicCurveTo({291.132, 107.072}, {290.802, 107.163}, {290.471, 107.257})
.CubicCurveTo({289.463, 107.544}, {288.455, 107.839}, {287.449, 108.139})
.CubicCurveTo({286.476, 108.431}, {285.506, 108.73}, {284.536, 109.035})
.CubicCurveTo({283.674, 109.304}, {282.812, 109.579}, {281.952, 109.859})
.CubicCurveTo({281.177, 110.112}, {280.406, 110.377}, {279.633, 110.638})
.CubicCurveTo({278.458, 111.037}, {277.256, 111.449}, {276.803, 111.607})
.CubicCurveTo({276.76, 111.622}, {276.716, 111.637}, {276.672, 111.653})
.CubicCurveTo({275.017, 112.239}, {273.365, 112.836}, {271.721, 113.463})
.LineTo({271.717, 113.449})
.CubicCurveTo({271.496, 113.496}, {271.238, 113.559}, {270.963, 113.628})
.CubicCurveTo({270.893, 113.645}, {270.822, 113.663}, {270.748, 113.682})
.CubicCurveTo({270.468, 113.755}, {270.169, 113.834}, {269.839, 113.926})
.CubicCurveTo({269.789, 113.94}, {269.732, 113.957}, {269.681, 113.972})
.CubicCurveTo({269.391, 114.053}, {269.081, 114.143}, {268.756, 114.239})
.CubicCurveTo({268.628, 114.276}, {268.5, 114.314}, {268.367, 114.354})
.CubicCurveTo({268.172, 114.412}, {267.959, 114.478}, {267.752, 114.54})
.CubicCurveTo({263.349, 115.964}, {258.058, 117.695}, {253.564, 119.252})
.CubicCurveTo({253.556, 119.255}, {253.547, 119.258}, {253.538, 119.261})
.CubicCurveTo({251.844, 119.849}, {250.056, 120.474}, {248.189, 121.131})
.CubicCurveTo({248, 121.197}, {247.812, 121.264}, {247.621, 121.331})
.CubicCurveTo({247.079, 121.522}, {246.531, 121.715}, {245.975, 121.912})
.CubicCurveTo({245.554, 122.06}, {245.126, 122.212}, {244.698, 122.364})
.CubicCurveTo({244.071, 122.586}, {243.437, 122.811}, {242.794, 123.04})
.CubicCurveTo({242.189, 123.255}, {241.58, 123.472}, {240.961, 123.693})
.CubicCurveTo({240.659, 123.801}, {240.357, 123.909}, {240.052, 124.018})
.CubicCurveTo({239.12, 124.351}, {238.18, 124.687}, {237.22, 125.032})
.LineTo({237.164, 125.003})
.CubicCurveTo({236.709, 125.184}, {236.262, 125.358}, {235.81, 125.538})
.CubicCurveTo({235.413, 125.68}, {234.994, 125.832}, {234.592, 125.977})
.CubicCurveTo({234.592, 125.977}, {234.591, 125.977}, {234.59, 125.977})
.CubicCurveTo({222.206, 130.435}, {207.708, 135.753}, {192.381, 141.429})
.CubicCurveTo({162.77, 151.336}, {122.17, 156.894}, {84.1123, 160})
.LineTo({360, 160})
.LineTo({360, 119.256})
.LineTo({360, 106.332})
.LineTo({360, 96.6307})
.CubicCurveTo({359.978, 96.6317}, {359.956, 96.6326}, {359.934, 96.6335});
if (closed) {
builder.Close();
}
builder //
.MoveTo({337.336, 124.143})
.CubicCurveTo({337.274, 122.359}, {338.903, 121.511}, {338.903, 121.511})
.CubicCurveTo({338.903, 121.511}, {338.96, 123.303}, {337.336, 124.143});
if (closed) {
builder.Close();
}
builder //
.MoveTo({340.082, 121.849})
.CubicCurveTo({340.074, 121.917}, {340.062, 121.992}, {340.046, 122.075})
.CubicCurveTo({340.039, 122.109}, {340.031, 122.142}, {340.023, 122.177})
.CubicCurveTo({340.005, 122.26}, {339.98, 122.346}, {339.952, 122.437})
.CubicCurveTo({339.941, 122.473}, {339.931, 122.507}, {339.918, 122.544})
.CubicCurveTo({339.873, 122.672}, {339.819, 122.804}, {339.75, 122.938})
.CubicCurveTo({339.747, 122.944}, {339.743, 122.949}, {339.74, 122.955})
.CubicCurveTo({339.674, 123.08}, {339.593, 123.205}, {339.501, 123.328})
.CubicCurveTo({339.473, 123.366}, {339.441, 123.401}, {339.41, 123.438})
.CubicCurveTo({339.332, 123.534}, {339.243, 123.625}, {339.145, 123.714})
.CubicCurveTo({339.105, 123.75}, {339.068, 123.786}, {339.025, 123.821})
.CubicCurveTo({338.881, 123.937}, {338.724, 124.048}, {338.539, 124.143})
.CubicCurveTo({338.532, 123.959}, {338.554, 123.79}, {338.58, 123.626})
.CubicCurveTo({338.58, 123.625}, {338.58, 123.625}, {338.58, 123.625})
.CubicCurveTo({338.607, 123.455}, {338.65, 123.299}, {338.704, 123.151})
.CubicCurveTo({338.708, 123.14}, {338.71, 123.127}, {338.714, 123.117})
.CubicCurveTo({338.769, 122.971}, {338.833, 122.838}, {338.905, 122.712})
.CubicCurveTo({338.911, 122.702}, {338.916, 122.69200000000001},
{338.922, 122.682})
.CubicCurveTo({338.996, 122.557}, {339.072, 122.444}, {339.155, 122.34})
.CubicCurveTo({339.161, 122.333}, {339.166, 122.326}, {339.172, 122.319})
.CubicCurveTo({339.256, 122.215}, {339.339, 122.12}, {339.425, 122.037})
.CubicCurveTo({339.428, 122.033}, {339.431, 122.03}, {339.435, 122.027})
.CubicCurveTo({339.785, 121.687}, {340.106, 121.511}, {340.106, 121.511})
.CubicCurveTo({340.106, 121.511}, {340.107, 121.645}, {340.082, 121.849});
if (closed) {
builder.Close();
}
builder //
.MoveTo({340.678, 113.245})
.CubicCurveTo({340.594, 113.488}, {340.356, 113.655}, {340.135, 113.775})
.CubicCurveTo({339.817, 113.948}, {339.465, 114.059}, {339.115, 114.151})
.CubicCurveTo({338.251, 114.379}, {337.34, 114.516}, {336.448, 114.516})
.CubicCurveTo({335.761, 114.516}, {335.072, 114.527}, {334.384, 114.513})
.CubicCurveTo({334.125, 114.508}, {333.862, 114.462}, {333.605, 114.424})
.CubicCurveTo({332.865, 114.318}, {332.096, 114.184}, {331.41, 113.883})
.CubicCurveTo({330.979, 113.695}, {330.442, 113.34}, {330.672, 112.813})
.CubicCurveTo({331.135, 111.755}, {333.219, 112.946}, {334.526, 113.833})
.CubicCurveTo({334.54, 113.816}, {334.554, 113.8}, {334.569, 113.784})
.CubicCurveTo({333.38, 112.708}, {331.749, 110.985}, {332.76, 110.402})
.CubicCurveTo({333.769, 109.82}, {334.713, 111.93}, {335.228, 113.395})
.CubicCurveTo({334.915, 111.889}, {334.59, 109.636}, {335.661, 109.592})
.CubicCurveTo({336.733, 109.636}, {336.408, 111.889}, {336.07, 113.389})
.CubicCurveTo({336.609, 111.93}, {337.553, 109.82}, {338.563, 110.402})
.CubicCurveTo({339.574, 110.984}, {337.942, 112.708}, {336.753, 113.784})
.CubicCurveTo({336.768, 113.8}, {336.782, 113.816}, {336.796, 113.833})
.CubicCurveTo({338.104, 112.946}, {340.187, 111.755}, {340.65, 112.813})
.CubicCurveTo({340.71, 112.95}, {340.728, 113.102}, {340.678, 113.245});
if (closed) {
builder.Close();
}
builder //
.MoveTo({346.357, 106.771})
.CubicCurveTo({346.295, 104.987}, {347.924, 104.139}, {347.924, 104.139})
.CubicCurveTo({347.924, 104.139}, {347.982, 105.931}, {346.357, 106.771});
if (closed) {
builder.Close();
}
builder //
.MoveTo({347.56, 106.771})
.CubicCurveTo({347.498, 104.987}, {349.127, 104.139}, {349.127, 104.139})
.CubicCurveTo({349.127, 104.139}, {349.185, 105.931}, {347.56, 106.771});
if (closed) {
builder.Close();
}
return builder.TakePath();
}
Path CreateQuadratic(bool closed) {
auto builder = PathBuilder{};
builder //
.MoveTo({359.934, 96.6335})
.QuadraticCurveTo({358.189, 96.7055}, {354.673, 96.8895})
.QuadraticCurveTo({354.571, 96.8953}, {354.367, 96.9075})
.QuadraticCurveTo({352.672, 97.0038}, {349.259, 97.2355})
.QuadraticCurveTo({349.048, 97.2506}, {348.625, 97.2834})
.QuadraticCurveTo({347.019, 97.4014}, {343.789, 97.6722})
.QuadraticCurveTo({343.428, 97.704}, {342.703, 97.7734})
.QuadraticCurveTo({341.221, 97.9086}, {338.246, 98.207})
.QuadraticCurveTo({337.702, 98.2642}, {336.612, 98.3894})
.QuadraticCurveTo({335.284, 98.5356}, {332.623, 98.8476})
.QuadraticCurveTo({332.495, 98.8635}, {332.237, 98.8982})
.LineTo({332.237, 102.601})
.LineTo({321.778, 102.601})
.LineTo({321.778, 100.382})
.QuadraticCurveTo({321.572, 100.413}, {321.161, 100.476})
.QuadraticCurveTo({319.22, 100.79}, {315.332, 101.479})
.QuadraticCurveTo({315.322, 101.481}, {315.301, 101.484})
.LineTo({310.017, 105.94})
.LineTo({309.779, 105.427})
.LineTo({314.403, 101.651})
.QuadraticCurveTo({314.391, 101.653}, {314.368, 101.658})
.QuadraticCurveTo({312.528, 102.001}, {308.846, 102.748})
.QuadraticCurveTo({307.85, 102.955}, {305.859, 103.4})
.QuadraticCurveTo({305.048, 103.579}, {303.425, 103.936})
.LineTo({299.105, 107.578})
.LineTo({298.867, 107.065})
.LineTo({302.394, 104.185})
.LineTo({302.412, 104.171})
.QuadraticCurveTo({301.388, 104.409}, {299.344, 104.921})
.QuadraticCurveTo({298.618, 105.1}, {297.165, 105.455})
.QuadraticCurveTo({295.262, 105.94}, {291.462, 106.979})
.QuadraticCurveTo({291.132, 107.072}, {290.471, 107.257})
.QuadraticCurveTo({289.463, 107.544}, {287.449, 108.139})
.QuadraticCurveTo({286.476, 108.431}, {284.536, 109.035})
.QuadraticCurveTo({283.674, 109.304}, {281.952, 109.859})
.QuadraticCurveTo({281.177, 110.112}, {279.633, 110.638})
.QuadraticCurveTo({278.458, 111.037}, {276.803, 111.607})
.QuadraticCurveTo({276.76, 111.622}, {276.672, 111.653})
.QuadraticCurveTo({275.017, 112.239}, {271.721, 113.463})
.LineTo({271.717, 113.449})
.QuadraticCurveTo({271.496, 113.496}, {270.963, 113.628})
.QuadraticCurveTo({270.893, 113.645}, {270.748, 113.682})
.QuadraticCurveTo({270.468, 113.755}, {269.839, 113.926})
.QuadraticCurveTo({269.789, 113.94}, {269.681, 113.972})
.QuadraticCurveTo({269.391, 114.053}, {268.756, 114.239})
.QuadraticCurveTo({268.628, 114.276}, {268.367, 114.354})
.QuadraticCurveTo({268.172, 114.412}, {267.752, 114.54})
.QuadraticCurveTo({263.349, 115.964}, {253.564, 119.252})
.QuadraticCurveTo({253.556, 119.255}, {253.538, 119.261})
.QuadraticCurveTo({251.844, 119.849}, {248.189, 121.131})
.QuadraticCurveTo({248, 121.197}, {247.621, 121.331})
.QuadraticCurveTo({247.079, 121.522}, {245.975, 121.912})
.QuadraticCurveTo({245.554, 122.06}, {244.698, 122.364})
.QuadraticCurveTo({244.071, 122.586}, {242.794, 123.04})
.QuadraticCurveTo({242.189, 123.255}, {240.961, 123.693})
.QuadraticCurveTo({240.659, 123.801}, {240.052, 124.018})
.QuadraticCurveTo({239.12, 124.351}, {237.22, 125.032})
.LineTo({237.164, 125.003})
.QuadraticCurveTo({236.709, 125.184}, {235.81, 125.538})
.QuadraticCurveTo({235.413, 125.68}, {234.592, 125.977})
.QuadraticCurveTo({234.592, 125.977}, {234.59, 125.977})
.QuadraticCurveTo({222.206, 130.435}, {192.381, 141.429})
.QuadraticCurveTo({162.77, 151.336}, {84.1123, 160})
.LineTo({360, 160})
.LineTo({360, 119.256})
.LineTo({360, 106.332})
.LineTo({360, 96.6307})
.QuadraticCurveTo({359.978, 96.6317}, {359.934, 96.6335});
if (closed) {
builder.Close();
}
builder //
.MoveTo({337.336, 124.143})
.QuadraticCurveTo({337.274, 122.359}, {338.903, 121.511})
.QuadraticCurveTo({338.903, 121.511}, {337.336, 124.143});
if (closed) {
builder.Close();
}
builder //
.MoveTo({340.082, 121.849})
.QuadraticCurveTo({340.074, 121.917}, {340.046, 122.075})
.QuadraticCurveTo({340.039, 122.109}, {340.023, 122.177})
.QuadraticCurveTo({340.005, 122.26}, {339.952, 122.437})
.QuadraticCurveTo({339.941, 122.473}, {339.918, 122.544})
.QuadraticCurveTo({339.873, 122.672}, {339.75, 122.938})
.QuadraticCurveTo({339.747, 122.944}, {339.74, 122.955})
.QuadraticCurveTo({339.674, 123.08}, {339.501, 123.328})
.QuadraticCurveTo({339.473, 123.366}, {339.41, 123.438})
.QuadraticCurveTo({339.332, 123.534}, {339.145, 123.714})
.QuadraticCurveTo({339.105, 123.75}, {339.025, 123.821})
.QuadraticCurveTo({338.881, 123.937}, {338.539, 124.143})
.QuadraticCurveTo({338.532, 123.959}, {338.58, 123.626})
.QuadraticCurveTo({338.58, 123.625}, {338.58, 123.625})
.QuadraticCurveTo({338.607, 123.455}, {338.704, 123.151})
.QuadraticCurveTo({338.708, 123.14}, {338.714, 123.117})
.QuadraticCurveTo({338.769, 122.971}, {338.905, 122.712})
.QuadraticCurveTo({338.911, 122.702}, {338.922, 122.682})
.QuadraticCurveTo({338.996, 122.557}, {339.155, 122.34})
.QuadraticCurveTo({339.161, 122.333}, {339.172, 122.319})
.QuadraticCurveTo({339.256, 122.215}, {339.425, 122.037})
.QuadraticCurveTo({339.428, 122.033}, {339.435, 122.027})
.QuadraticCurveTo({339.785, 121.687}, {340.106, 121.511})
.QuadraticCurveTo({340.106, 121.511}, {340.082, 121.849});
if (closed) {
builder.Close();
}
builder //
.MoveTo({340.678, 113.245})
.QuadraticCurveTo({340.594, 113.488}, {340.135, 113.775})
.QuadraticCurveTo({339.817, 113.948}, {339.115, 114.151})
.QuadraticCurveTo({338.251, 114.379}, {336.448, 114.516})
.QuadraticCurveTo({335.761, 114.516}, {334.384, 114.513})
.QuadraticCurveTo({334.125, 114.508}, {333.605, 114.424})
.QuadraticCurveTo({332.865, 114.318}, {331.41, 113.883})
.QuadraticCurveTo({330.979, 113.695}, {330.672, 112.813})
.QuadraticCurveTo({331.135, 111.755}, {334.526, 113.833})
.QuadraticCurveTo({334.54, 113.816}, {334.569, 113.784})
.QuadraticCurveTo({333.38, 112.708}, {332.76, 110.402})
.QuadraticCurveTo({333.769, 109.82}, {335.228, 113.395})
.QuadraticCurveTo({334.915, 111.889}, {335.661, 109.592})
.QuadraticCurveTo({336.733, 109.636}, {336.07, 113.389})
.QuadraticCurveTo({336.609, 111.93}, {338.563, 110.402})
.QuadraticCurveTo({339.574, 110.984}, {336.753, 113.784})
.QuadraticCurveTo({336.768, 113.8}, {336.796, 113.833})
.QuadraticCurveTo({338.104, 112.946}, {340.65, 112.813})
.QuadraticCurveTo({340.71, 112.95}, {340.678, 113.245});
if (closed) {
builder.Close();
}
builder //
.MoveTo({346.357, 106.771})
.QuadraticCurveTo({346.295, 104.987}, {347.924, 104.139})
.QuadraticCurveTo({347.924, 104.139}, {346.357, 106.771});
if (closed) {
builder.Close();
}
builder //
.MoveTo({347.56, 106.771})
.QuadraticCurveTo({347.498, 104.987}, {349.127, 104.139})
.QuadraticCurveTo({349.127, 104.139}, {347.56, 106.771});
if (closed) {
builder.Close();
}
return builder.TakePath();
}
} // namespace
} // namespace impeller
| engine/impeller/geometry/geometry_benchmarks.cc/0 | {
"file_path": "engine/impeller/geometry/geometry_benchmarks.cc",
"repo_id": "engine",
"token_count": 12342
} | 235 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "gtest/gtest.h"
#include "flutter/testing/testing.h"
#include "impeller/geometry/geometry_asserts.h"
#include "impeller/geometry/path.h"
#include "impeller/geometry/path_builder.h"
namespace impeller {
namespace testing {
TEST(PathTest, CubicPathComponentPolylineDoesNotIncludePointOne) {
CubicPathComponent component({10, 10}, {20, 35}, {35, 20}, {40, 40});
std::vector<Point> polyline;
component.AppendPolylinePoints(1.0f, polyline);
ASSERT_NE(polyline.front().x, 10);
ASSERT_NE(polyline.front().y, 10);
ASSERT_EQ(polyline.back().x, 40);
ASSERT_EQ(polyline.back().y, 40);
}
TEST(PathTest, PathCreatePolyLineDoesNotDuplicatePoints) {
PathBuilder builder;
builder.MoveTo({10, 10});
builder.LineTo({20, 20});
builder.LineTo({30, 30});
builder.MoveTo({40, 40});
builder.LineTo({50, 50});
auto polyline = builder.TakePath().CreatePolyline(1.0f);
ASSERT_EQ(polyline.contours.size(), 2u);
ASSERT_EQ(polyline.points->size(), 5u);
ASSERT_EQ(polyline.GetPoint(0).x, 10);
ASSERT_EQ(polyline.GetPoint(1).x, 20);
ASSERT_EQ(polyline.GetPoint(2).x, 30);
ASSERT_EQ(polyline.GetPoint(3).x, 40);
ASSERT_EQ(polyline.GetPoint(4).x, 50);
}
TEST(PathTest, PathBuilderSetsCorrectContourPropertiesForAddCommands) {
// Closed shapes.
{
Path path = PathBuilder{}.AddCircle({100, 100}, 50).TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(100, 50));
ASSERT_TRUE(contour.is_closed);
}
{
Path path =
PathBuilder{}.AddOval(Rect::MakeXYWH(100, 100, 100, 100)).TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(150, 100));
ASSERT_TRUE(contour.is_closed);
}
{
Path path =
PathBuilder{}.AddRect(Rect::MakeXYWH(100, 100, 100, 100)).TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(100, 100));
ASSERT_TRUE(contour.is_closed);
}
{
Path path = PathBuilder{}
.AddRoundedRect(Rect::MakeXYWH(100, 100, 100, 100), 10)
.TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(110, 100));
ASSERT_TRUE(contour.is_closed);
}
{
Path path =
PathBuilder{}
.AddRoundedRect(Rect::MakeXYWH(100, 100, 100, 100), Size(10, 20))
.TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(110, 100));
ASSERT_TRUE(contour.is_closed);
}
// Open shapes.
{
Point p(100, 100);
Path path = PathBuilder{}.AddLine(p, {200, 100}).TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, p);
ASSERT_FALSE(contour.is_closed);
}
{
Path path =
PathBuilder{}
.AddCubicCurve({100, 100}, {100, 50}, {100, 150}, {200, 100})
.TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(100, 100));
ASSERT_FALSE(contour.is_closed);
}
{
Path path = PathBuilder{}
.AddQuadraticCurve({100, 100}, {100, 50}, {200, 100})
.TakePath();
ContourComponent contour;
path.GetContourComponentAtIndex(0, contour);
ASSERT_POINT_NEAR(contour.destination, Point(100, 100));
ASSERT_FALSE(contour.is_closed);
}
}
TEST(PathTest, PathCreatePolylineGeneratesCorrectContourData) {
Path::Polyline polyline = PathBuilder{}
.AddLine({100, 100}, {200, 100})
.MoveTo({100, 200})
.LineTo({150, 250})
.LineTo({200, 200})
.Close()
.TakePath()
.CreatePolyline(1.0f);
ASSERT_EQ(polyline.points->size(), 6u);
ASSERT_EQ(polyline.contours.size(), 2u);
ASSERT_EQ(polyline.contours[0].is_closed, false);
ASSERT_EQ(polyline.contours[0].start_index, 0u);
ASSERT_EQ(polyline.contours[1].is_closed, true);
ASSERT_EQ(polyline.contours[1].start_index, 2u);
}
TEST(PathTest, PolylineGetContourPointBoundsReturnsCorrectRanges) {
Path::Polyline polyline = PathBuilder{}
.AddLine({100, 100}, {200, 100})
.MoveTo({100, 200})
.LineTo({150, 250})
.LineTo({200, 200})
.Close()
.TakePath()
.CreatePolyline(1.0f);
size_t a1, a2, b1, b2;
std::tie(a1, a2) = polyline.GetContourPointBounds(0);
std::tie(b1, b2) = polyline.GetContourPointBounds(1);
ASSERT_EQ(a1, 0u);
ASSERT_EQ(a2, 2u);
ASSERT_EQ(b1, 2u);
ASSERT_EQ(b2, 6u);
}
TEST(PathTest, PathAddRectPolylineHasCorrectContourData) {
Path::Polyline polyline = PathBuilder{}
.AddRect(Rect::MakeLTRB(50, 60, 70, 80))
.TakePath()
.CreatePolyline(1.0f);
ASSERT_EQ(polyline.contours.size(), 1u);
ASSERT_TRUE(polyline.contours[0].is_closed);
ASSERT_EQ(polyline.contours[0].start_index, 0u);
ASSERT_EQ(polyline.points->size(), 5u);
ASSERT_EQ(polyline.GetPoint(0), Point(50, 60));
ASSERT_EQ(polyline.GetPoint(1), Point(70, 60));
ASSERT_EQ(polyline.GetPoint(2), Point(70, 80));
ASSERT_EQ(polyline.GetPoint(3), Point(50, 80));
ASSERT_EQ(polyline.GetPoint(4), Point(50, 60));
}
TEST(PathTest, PathPolylineDuplicatesAreRemovedForSameContour) {
Path::Polyline polyline =
PathBuilder{}
.MoveTo({50, 50})
.LineTo({50, 50}) // Insert duplicate at beginning of contour.
.LineTo({100, 50})
.LineTo({100, 50}) // Insert duplicate at contour join.
.LineTo({100, 100})
.Close() // Implicitly insert duplicate {50, 50} across contours.
.LineTo({0, 50})
.LineTo({0, 100})
.LineTo({0, 100}) // Insert duplicate at end of contour.
.TakePath()
.CreatePolyline(1.0f);
ASSERT_EQ(polyline.contours.size(), 2u);
ASSERT_EQ(polyline.contours[0].start_index, 0u);
ASSERT_TRUE(polyline.contours[0].is_closed);
ASSERT_EQ(polyline.contours[1].start_index, 4u);
ASSERT_FALSE(polyline.contours[1].is_closed);
ASSERT_EQ(polyline.points->size(), 7u);
ASSERT_EQ(polyline.GetPoint(0), Point(50, 50));
ASSERT_EQ(polyline.GetPoint(1), Point(100, 50));
ASSERT_EQ(polyline.GetPoint(2), Point(100, 100));
ASSERT_EQ(polyline.GetPoint(3), Point(50, 50));
ASSERT_EQ(polyline.GetPoint(4), Point(50, 50));
ASSERT_EQ(polyline.GetPoint(5), Point(0, 50));
ASSERT_EQ(polyline.GetPoint(6), Point(0, 100));
}
TEST(PathTest, PolylineBufferReuse) {
auto point_buffer = std::make_unique<std::vector<Point>>();
auto point_buffer_address = reinterpret_cast<uintptr_t>(point_buffer.get());
Path::Polyline polyline =
PathBuilder{}
.MoveTo({50, 50})
.LineTo({100, 100})
.TakePath()
.CreatePolyline(
1.0f, std::move(point_buffer),
[point_buffer_address](
Path::Polyline::PointBufferPtr point_buffer) {
ASSERT_EQ(point_buffer->size(), 0u);
ASSERT_EQ(point_buffer_address,
reinterpret_cast<uintptr_t>(point_buffer.get()));
});
}
TEST(PathTest, PolylineFailsWithNullptrBuffer) {
EXPECT_DEATH_IF_SUPPORTED(PathBuilder{}
.MoveTo({50, 50})
.LineTo({100, 100})
.TakePath()
.CreatePolyline(1.0f, nullptr),
"");
}
TEST(PathTest, PathShifting) {
PathBuilder builder{};
auto path =
builder.AddLine(Point(0, 0), Point(10, 10))
.AddQuadraticCurve(Point(10, 10), Point(15, 15), Point(20, 20))
.AddCubicCurve(Point(20, 20), Point(25, 25), Point(-5, -5),
Point(30, 30))
.Close()
.Shift(Point(1, 1))
.TakePath();
ContourComponent contour;
LinearPathComponent linear;
QuadraticPathComponent quad;
CubicPathComponent cubic;
ASSERT_TRUE(path.GetContourComponentAtIndex(0, contour));
ASSERT_TRUE(path.GetLinearComponentAtIndex(1, linear));
ASSERT_TRUE(path.GetQuadraticComponentAtIndex(3, quad));
ASSERT_TRUE(path.GetCubicComponentAtIndex(5, cubic));
EXPECT_EQ(contour.destination, Point(1, 1));
EXPECT_EQ(linear.p1, Point(1, 1));
EXPECT_EQ(linear.p2, Point(11, 11));
EXPECT_EQ(quad.cp, Point(16, 16));
EXPECT_EQ(quad.p1, Point(11, 11));
EXPECT_EQ(quad.p2, Point(21, 21));
EXPECT_EQ(cubic.cp1, Point(26, 26));
EXPECT_EQ(cubic.cp2, Point(-4, -4));
EXPECT_EQ(cubic.p1, Point(21, 21));
EXPECT_EQ(cubic.p2, Point(31, 31));
}
TEST(PathTest, PathBuilderWillComputeBounds) {
PathBuilder builder;
auto path_1 = builder.AddLine({0, 0}, {1, 1}).TakePath();
ASSERT_EQ(path_1.GetBoundingBox().value_or(Rect::MakeMaximum()),
Rect::MakeLTRB(0, 0, 1, 1));
auto path_2 = builder.AddLine({-1, -1}, {1, 1}).TakePath();
// Verify that PathBuilder recomputes the bounds.
ASSERT_EQ(path_2.GetBoundingBox().value_or(Rect::MakeMaximum()),
Rect::MakeLTRB(-1, -1, 1, 1));
// PathBuilder can set the bounds to whatever it wants
auto path_3 = builder.AddLine({0, 0}, {1, 1})
.SetBounds(Rect::MakeLTRB(0, 0, 100, 100))
.TakePath();
ASSERT_EQ(path_3.GetBoundingBox().value_or(Rect::MakeMaximum()),
Rect::MakeLTRB(0, 0, 100, 100));
}
TEST(PathTest, PathHorizontalLine) {
PathBuilder builder;
auto path = builder.HorizontalLineTo(10).TakePath();
LinearPathComponent linear;
path.GetLinearComponentAtIndex(1, linear);
EXPECT_EQ(linear.p1, Point(0, 0));
EXPECT_EQ(linear.p2, Point(10, 0));
}
TEST(PathTest, PathVerticalLine) {
PathBuilder builder;
auto path = builder.VerticalLineTo(10).TakePath();
LinearPathComponent linear;
path.GetLinearComponentAtIndex(1, linear);
EXPECT_EQ(linear.p1, Point(0, 0));
EXPECT_EQ(linear.p2, Point(0, 10));
}
TEST(PathTest, QuadradicPath) {
PathBuilder builder;
auto path = builder.QuadraticCurveTo(Point(10, 10), Point(20, 20)).TakePath();
QuadraticPathComponent quad;
path.GetQuadraticComponentAtIndex(1, quad);
EXPECT_EQ(quad.p1, Point(0, 0));
EXPECT_EQ(quad.cp, Point(10, 10));
EXPECT_EQ(quad.p2, Point(20, 20));
}
TEST(PathTest, CubicPath) {
PathBuilder builder;
auto path =
builder.CubicCurveTo(Point(10, 10), Point(-10, -10), Point(20, 20))
.TakePath();
CubicPathComponent cubic;
path.GetCubicComponentAtIndex(1, cubic);
EXPECT_EQ(cubic.p1, Point(0, 0));
EXPECT_EQ(cubic.cp1, Point(10, 10));
EXPECT_EQ(cubic.cp2, Point(-10, -10));
EXPECT_EQ(cubic.p2, Point(20, 20));
}
TEST(PathTest, BoundingBoxCubic) {
PathBuilder builder;
auto path =
builder.AddCubicCurve({120, 160}, {25, 200}, {220, 260}, {220, 40})
.TakePath();
auto box = path.GetBoundingBox();
Rect expected = Rect::MakeXYWH(93.9101, 40, 126.09, 158.862);
ASSERT_TRUE(box.has_value());
ASSERT_RECT_NEAR(box.value_or(Rect::MakeMaximum()), expected);
}
TEST(PathTest, BoundingBoxOfCompositePathIsCorrect) {
PathBuilder builder;
builder.AddRoundedRect(Rect::MakeXYWH(10, 10, 300, 300), {50, 50, 50, 50});
auto path = builder.TakePath();
auto actual = path.GetBoundingBox();
Rect expected = Rect::MakeXYWH(10, 10, 300, 300);
ASSERT_TRUE(actual.has_value());
ASSERT_RECT_NEAR(actual.value_or(Rect::MakeMaximum()), expected);
}
TEST(PathTest, ExtremaOfCubicPathComponentIsCorrect) {
CubicPathComponent cubic{{11.769268, 252.883148},
{-6.2857933, 204.356461},
{-4.53997231, 156.552902},
{17.0067291, 109.472488}};
auto points = cubic.Extrema();
ASSERT_EQ(points.size(), static_cast<size_t>(3));
ASSERT_POINT_NEAR(points[2], cubic.Solve(0.455916));
}
TEST(PathTest, PathGetBoundingBoxForCubicWithNoDerivativeRootsIsCorrect) {
PathBuilder builder;
// Straight diagonal line.
builder.AddCubicCurve({0, 1}, {2, 3}, {4, 5}, {6, 7});
auto path = builder.TakePath();
auto actual = path.GetBoundingBox();
auto expected = Rect::MakeLTRB(0, 1, 6, 7);
ASSERT_TRUE(actual.has_value());
ASSERT_RECT_NEAR(actual.value_or(Rect::MakeMaximum()), expected);
}
TEST(PathTest, EmptyPath) {
auto path = PathBuilder{}.TakePath();
ASSERT_EQ(path.GetComponentCount(), 1u);
ContourComponent c;
path.GetContourComponentAtIndex(0, c);
ASSERT_POINT_NEAR(c.destination, Point());
Path::Polyline polyline = path.CreatePolyline(1.0f);
ASSERT_TRUE(polyline.points->empty());
ASSERT_TRUE(polyline.contours.empty());
}
TEST(PathTest, SimplePath) {
PathBuilder builder;
auto path = builder.AddLine({0, 0}, {100, 100})
.AddQuadraticCurve({100, 100}, {200, 200}, {300, 300})
.AddCubicCurve({300, 300}, {400, 400}, {500, 500}, {600, 600})
.TakePath();
ASSERT_EQ(path.GetComponentCount(), 6u);
ASSERT_EQ(path.GetComponentCount(Path::ComponentType::kLinear), 1u);
ASSERT_EQ(path.GetComponentCount(Path::ComponentType::kQuadratic), 1u);
ASSERT_EQ(path.GetComponentCount(Path::ComponentType::kCubic), 1u);
ASSERT_EQ(path.GetComponentCount(Path::ComponentType::kContour), 3u);
path.EnumerateComponents(
[](size_t index, const LinearPathComponent& linear) {
Point p1(0, 0);
Point p2(100, 100);
ASSERT_EQ(index, 1u);
ASSERT_EQ(linear.p1, p1);
ASSERT_EQ(linear.p2, p2);
},
[](size_t index, const QuadraticPathComponent& quad) {
Point p1(100, 100);
Point cp(200, 200);
Point p2(300, 300);
ASSERT_EQ(index, 3u);
ASSERT_EQ(quad.p1, p1);
ASSERT_EQ(quad.cp, cp);
ASSERT_EQ(quad.p2, p2);
},
[](size_t index, const CubicPathComponent& cubic) {
Point p1(300, 300);
Point cp1(400, 400);
Point cp2(500, 500);
Point p2(600, 600);
ASSERT_EQ(index, 5u);
ASSERT_EQ(cubic.p1, p1);
ASSERT_EQ(cubic.cp1, cp1);
ASSERT_EQ(cubic.cp2, cp2);
ASSERT_EQ(cubic.p2, p2);
},
[](size_t index, const ContourComponent& contour) {
// There is an initial countour added for each curve.
if (index == 0u) {
Point p1(0, 0);
ASSERT_EQ(contour.destination, p1);
} else if (index == 2u) {
Point p1(100, 100);
ASSERT_EQ(contour.destination, p1);
} else if (index == 4u) {
Point p1(300, 300);
ASSERT_EQ(contour.destination, p1);
} else {
ASSERT_FALSE(true);
}
ASSERT_FALSE(contour.is_closed);
});
}
TEST(PathTest, CanBeCloned) {
PathBuilder builder;
builder.MoveTo({10, 10});
builder.LineTo({20, 20});
builder.SetBounds(Rect::MakeLTRB(0, 0, 100, 100));
builder.SetConvexity(Convexity::kConvex);
auto path_a = builder.TakePath(FillType::kOdd);
// NOLINTNEXTLINE(performance-unnecessary-copy-initialization)
auto path_b = path_a;
EXPECT_EQ(path_a.GetBoundingBox(), path_b.GetBoundingBox());
EXPECT_EQ(path_a.GetFillType(), path_b.GetFillType());
EXPECT_EQ(path_a.IsConvex(), path_b.IsConvex());
auto poly_a = path_a.CreatePolyline(1.0);
auto poly_b = path_b.CreatePolyline(1.0);
ASSERT_EQ(poly_a.points->size(), poly_b.points->size());
ASSERT_EQ(poly_a.contours.size(), poly_b.contours.size());
for (auto i = 0u; i < poly_a.points->size(); i++) {
EXPECT_EQ((*poly_a.points)[i], (*poly_b.points)[i]);
}
for (auto i = 0u; i < poly_a.contours.size(); i++) {
EXPECT_EQ(poly_a.contours[i].start_index, poly_b.contours[i].start_index);
EXPECT_EQ(poly_a.contours[i].start_direction,
poly_b.contours[i].start_direction);
}
}
TEST(PathTest, PathBuilderDoesNotMutateCopiedPaths) {
auto test_isolation =
[](const std::function<void(PathBuilder & builder)>& mutator,
bool will_close, Point mutation_offset, const std::string& label) {
PathBuilder builder;
builder.MoveTo({10, 10});
builder.LineTo({20, 20});
builder.LineTo({20, 10});
auto verify_path = [](const Path& path, bool is_mutated, bool is_closed,
Point offset, const std::string& label) {
if (is_mutated) {
// We can only test the initial state before the mutator did
// its work. We have >= 3 components and the first 3 components
// will match what we saw before the mutation.
EXPECT_GE(path.GetComponentCount(), 3u) << label;
} else {
EXPECT_EQ(path.GetComponentCount(), 3u) << label;
}
{
ContourComponent contour;
EXPECT_TRUE(path.GetContourComponentAtIndex(0, contour)) << label;
EXPECT_EQ(contour.destination, offset + Point(10, 10)) << label;
EXPECT_EQ(contour.is_closed, is_closed) << label;
}
{
LinearPathComponent line;
EXPECT_TRUE(path.GetLinearComponentAtIndex(1, line)) << label;
EXPECT_EQ(line.p1, offset + Point(10, 10)) << label;
EXPECT_EQ(line.p2, offset + Point(20, 20)) << label;
}
{
LinearPathComponent line;
EXPECT_TRUE(path.GetLinearComponentAtIndex(2, line)) << label;
EXPECT_EQ(line.p1, offset + Point(20, 20)) << label;
EXPECT_EQ(line.p2, offset + Point(20, 10)) << label;
}
};
auto path1 = builder.CopyPath();
verify_path(path1, false, false, {},
"Initial Path1 state before " + label);
for (int i = 0; i < 10; i++) {
auto path = builder.CopyPath();
verify_path(
path, false, false, {},
"Extra CopyPath #" + std::to_string(i + 1) + " for " + label);
}
mutator(builder);
verify_path(path1, false, false, {},
"Path1 state after subsequent " + label);
auto path2 = builder.CopyPath();
verify_path(path1, false, false, {},
"Path1 state after subsequent " + label + " and CopyPath");
verify_path(path2, true, will_close, mutation_offset,
"Initial Path2 state with subsequent " + label);
};
test_isolation(
[](PathBuilder& builder) { //
builder.SetConvexity(Convexity::kConvex);
},
false, {}, "SetConvex");
test_isolation(
[](PathBuilder& builder) { //
builder.SetConvexity(Convexity::kUnknown);
},
false, {}, "SetUnknownConvex");
test_isolation(
[](PathBuilder& builder) { //
builder.Close();
},
true, {}, "Close");
test_isolation(
[](PathBuilder& builder) {
builder.MoveTo({20, 30}, false);
},
false, {}, "Absolute MoveTo");
test_isolation(
[](PathBuilder& builder) {
builder.MoveTo({20, 30}, true);
},
false, {}, "Relative MoveTo");
test_isolation(
[](PathBuilder& builder) {
builder.LineTo({20, 30}, false);
},
false, {}, "Absolute LineTo");
test_isolation(
[](PathBuilder& builder) {
builder.LineTo({20, 30}, true);
},
false, {}, "Relative LineTo");
test_isolation(
[](PathBuilder& builder) { //
builder.HorizontalLineTo(100, false);
},
false, {}, "Absolute HorizontalLineTo");
test_isolation(
[](PathBuilder& builder) { //
builder.HorizontalLineTo(100, true);
},
false, {}, "Relative HorizontalLineTo");
test_isolation(
[](PathBuilder& builder) { //
builder.VerticalLineTo(100, false);
},
false, {}, "Absolute VerticalLineTo");
test_isolation(
[](PathBuilder& builder) { //
builder.VerticalLineTo(100, true);
},
false, {}, "Relative VerticalLineTo");
test_isolation(
[](PathBuilder& builder) {
builder.QuadraticCurveTo({20, 30}, {30, 20}, false);
},
false, {}, "Absolute QuadraticCurveTo");
test_isolation(
[](PathBuilder& builder) {
builder.QuadraticCurveTo({20, 30}, {30, 20}, true);
},
false, {}, "Relative QuadraticCurveTo");
test_isolation(
[](PathBuilder& builder) {
builder.CubicCurveTo({20, 30}, {30, 20}, {30, 30}, false);
},
false, {}, "Absolute CubicCurveTo");
test_isolation(
[](PathBuilder& builder) {
builder.CubicCurveTo({20, 30}, {30, 20}, {30, 30}, true);
},
false, {}, "Relative CubicCurveTo");
test_isolation(
[](PathBuilder& builder) {
builder.AddLine({100, 100}, {150, 100});
},
false, {}, "AddLine");
test_isolation(
[](PathBuilder& builder) {
builder.AddRect(Rect::MakeLTRB(100, 100, 120, 120));
},
false, {}, "AddRect");
test_isolation(
[](PathBuilder& builder) {
builder.AddOval(Rect::MakeLTRB(100, 100, 120, 120));
},
false, {}, "AddOval");
test_isolation(
[](PathBuilder& builder) {
builder.AddCircle({100, 100}, 20);
},
false, {}, "AddCircle");
test_isolation(
[](PathBuilder& builder) {
builder.AddArc(Rect::MakeLTRB(100, 100, 120, 120), Degrees(10),
Degrees(170));
},
false, {}, "AddArc");
test_isolation(
[](PathBuilder& builder) {
builder.AddQuadraticCurve({100, 100}, {150, 100}, {150, 150});
},
false, {}, "AddQuadraticCurve");
test_isolation(
[](PathBuilder& builder) {
builder.AddCubicCurve({100, 100}, {150, 100}, {100, 150}, {150, 150});
},
false, {}, "AddCubicCurve");
test_isolation(
[](PathBuilder& builder) {
builder.Shift({23, 42});
},
false, {23, 42}, "Shift");
}
} // namespace testing
} // namespace impeller
| engine/impeller/geometry/path_unittests.cc/0 | {
"file_path": "engine/impeller/geometry/path_unittests.cc",
"repo_id": "engine",
"token_count": 10500
} | 236 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_GEOMETRY_SIZE_H_
#define FLUTTER_IMPELLER_GEOMETRY_SIZE_H_
#include <algorithm>
#include <cmath>
#include <limits>
#include <ostream>
#include <string>
#include "impeller/geometry/scalar.h"
namespace impeller {
template <class T>
struct TSize {
using Type = T;
Type width = {};
Type height = {};
constexpr TSize() {}
constexpr TSize(Type width, Type height) : width(width), height(height) {}
template <class U>
explicit constexpr TSize(const TSize<U>& other)
: TSize(static_cast<Type>(other.width), static_cast<Type>(other.height)) {
}
static constexpr TSize MakeWH(Type width, Type height) {
return TSize{width, height};
}
static constexpr TSize Infinite() {
return TSize{std::numeric_limits<Type>::max(),
std::numeric_limits<Type>::max()};
}
constexpr TSize operator*(Scalar scale) const {
return {width * scale, height * scale};
}
constexpr TSize operator/(Scalar scale) const {
return {static_cast<Scalar>(width) / scale,
static_cast<Scalar>(height) / scale};
}
constexpr TSize operator/(const TSize& s) const {
return {width / s.width, height / s.height};
}
constexpr bool operator==(const TSize& s) const {
return s.width == width && s.height == height;
}
constexpr bool operator!=(const TSize& s) const {
return s.width != width || s.height != height;
}
constexpr TSize operator+(const TSize& s) const {
return {width + s.width, height + s.height};
}
constexpr TSize operator-(const TSize& s) const {
return {width - s.width, height - s.height};
}
constexpr TSize operator-() const { return {-width, -height}; }
constexpr TSize Min(const TSize& o) const {
return {
std::min(width, o.width),
std::min(height, o.height),
};
}
constexpr TSize Max(const TSize& o) const {
return {
std::max(width, o.width),
std::max(height, o.height),
};
}
constexpr Type MaxDimension() const { return std::max(width, height); }
constexpr TSize Abs() const { return {std::fabs(width), std::fabs(height)}; }
constexpr TSize Floor() const {
return {std::floor(width), std::floor(height)};
}
constexpr TSize Ceil() const { return {std::ceil(width), std::ceil(height)}; }
constexpr TSize Round() const {
return {std::round(width), std::round(height)};
}
constexpr Type Area() const { return width * height; }
/// Returns true if either of the width or height are 0, negative, or NaN.
constexpr bool IsEmpty() const { return !(width > 0 && height > 0); }
constexpr bool IsSquare() const { return width == height; }
template <class U>
static constexpr TSize Ceil(const TSize<U>& other) {
return TSize{static_cast<Type>(std::ceil(other.width)),
static_cast<Type>(std::ceil(other.height))};
}
constexpr size_t MipCount() const {
constexpr size_t minimum_mip = 1u;
if (IsEmpty()) {
return minimum_mip;
}
size_t result = std::max(ceil(log2(width)), ceil(log2(height)));
return std::max(result, minimum_mip);
}
};
// RHS algebraic operations with arithmetic types.
template <class T, class U, class = std::enable_if_t<std::is_arithmetic_v<U>>>
constexpr TSize<T> operator*(U s, const TSize<T>& p) {
return p * s;
}
template <class T, class U, class = std::enable_if_t<std::is_arithmetic_v<U>>>
constexpr TSize<T> operator/(U s, const TSize<T>& p) {
return {static_cast<T>(s) / p.width, static_cast<T>(s) / p.height};
}
using Size = TSize<Scalar>;
using ISize = TSize<int64_t>;
static_assert(sizeof(Size) == 2 * sizeof(Scalar));
} // namespace impeller
namespace std {
template <class T>
inline std::ostream& operator<<(std::ostream& out,
const impeller::TSize<T>& s) {
out << "(" << s.width << ", " << s.height << ")";
return out;
}
} // namespace std
#endif // FLUTTER_IMPELLER_GEOMETRY_SIZE_H_
| engine/impeller/geometry/size.h/0 | {
"file_path": "engine/impeller/geometry/size.h",
"repo_id": "engine",
"token_count": 1553
} | 237 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "gtest/gtest.h"
#include <sstream>
#include "flutter/fml/platform/darwin/scoped_nsautorelease_pool.h"
#include "impeller/aiks/aiks_context.h"
#include "impeller/aiks/canvas.h"
#include "impeller/entity/contents/conical_gradient_contents.h"
#include "impeller/geometry/path_builder.h"
#include "impeller/golden_tests/golden_digest.h"
#include "impeller/golden_tests/metal_screenshot.h"
#include "impeller/golden_tests/metal_screenshotter.h"
#include "impeller/golden_tests/working_directory.h"
namespace impeller {
namespace testing {
namespace {
std::string GetTestName() {
std::string suite_name =
::testing::UnitTest::GetInstance()->current_test_suite()->name();
std::string test_name =
::testing::UnitTest::GetInstance()->current_test_info()->name();
std::stringstream ss;
ss << "impeller_" << suite_name << "_" << test_name;
return ss.str();
}
std::string GetGoldenFilename() {
return GetTestName() + ".png";
}
bool SaveScreenshot(std::unique_ptr<Screenshot> screenshot) {
if (!screenshot || !screenshot->GetBytes()) {
return false;
}
std::string test_name = GetTestName();
std::string filename = GetGoldenFilename();
GoldenDigest::Instance()->AddImage(
test_name, filename, screenshot->GetWidth(), screenshot->GetHeight());
return screenshot->WriteToPNG(
WorkingDirectory::Instance()->GetFilenamePath(filename));
}
} // namespace
class GoldenTests : public ::testing::Test {
public:
GoldenTests() : screenshotter_(new MetalScreenshotter()) {}
MetalScreenshotter& Screenshotter() { return *screenshotter_; }
void SetUp() override {
testing::GoldenDigest::Instance()->AddDimension(
"gpu_string",
Screenshotter().GetPlayground().GetContext()->DescribeGpuModel());
}
private:
// This must be placed before any other members that may use the
// autorelease pool.
fml::ScopedNSAutoreleasePool autorelease_pool_;
std::unique_ptr<MetalScreenshotter> screenshotter_;
};
TEST_F(GoldenTests, ConicalGradient) {
Canvas canvas;
Paint paint;
paint.color_source = ColorSource::MakeConicalGradient(
{125, 125}, 125, {Color(1.0, 0.0, 0.0, 1.0), Color(0.0, 0.0, 1.0, 1.0)},
{0, 1}, {180, 180}, 0, Entity::TileMode::kClamp, {});
paint.stroke_width = 0.0;
paint.style = Paint::Style::kFill;
canvas.DrawRect(Rect::MakeXYWH(10, 10, 250, 250), paint);
Picture picture = canvas.EndRecordingAsPicture();
auto aiks_context =
AiksContext(Screenshotter().GetPlayground().GetContext(), nullptr);
auto screenshot = Screenshotter().MakeScreenshot(aiks_context, picture);
ASSERT_TRUE(SaveScreenshot(std::move(screenshot)));
}
} // namespace testing
} // namespace impeller
| engine/impeller/golden_tests/golden_tests.cc/0 | {
"file_path": "engine/impeller/golden_tests/golden_tests.cc",
"repo_id": "engine",
"token_count": 989
} | 238 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_PLAYGROUND_BACKEND_METAL_PLAYGROUND_IMPL_MTL_H_
#define FLUTTER_IMPELLER_PLAYGROUND_BACKEND_METAL_PLAYGROUND_IMPL_MTL_H_
#include <memory>
#include "flutter/fml/concurrent_message_loop.h"
#include "flutter/fml/macros.h"
#include "flutter/fml/synchronization/sync_switch.h"
#include "impeller/playground/playground_impl.h"
namespace impeller {
// Forward declared to avoid objc in a C++ header.
class ContextMTL;
class PlaygroundImplMTL final : public PlaygroundImpl {
public:
explicit PlaygroundImplMTL(PlaygroundSwitches switches);
~PlaygroundImplMTL();
fml::Status SetCapabilities(
const std::shared_ptr<Capabilities>& capabilities) override;
private:
struct Data;
static void DestroyWindowHandle(WindowHandle handle);
using UniqueHandle = std::unique_ptr<void, decltype(&DestroyWindowHandle)>;
UniqueHandle handle_;
// To ensure that ObjC stuff doesn't leak into C++ TUs.
std::unique_ptr<Data> data_;
std::shared_ptr<ContextMTL> context_;
std::shared_ptr<fml::ConcurrentMessageLoop> concurrent_loop_;
std::shared_ptr<const fml::SyncSwitch> is_gpu_disabled_sync_switch_;
// |PlaygroundImpl|
std::shared_ptr<Context> GetContext() const override;
// |PlaygroundImpl|
WindowHandle GetWindowHandle() const override;
// |PlaygroundImpl|
std::unique_ptr<Surface> AcquireSurfaceFrame(
std::shared_ptr<Context> context) override;
PlaygroundImplMTL(const PlaygroundImplMTL&) = delete;
PlaygroundImplMTL& operator=(const PlaygroundImplMTL&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_PLAYGROUND_BACKEND_METAL_PLAYGROUND_IMPL_MTL_H_
| engine/impeller/playground/backend/metal/playground_impl_mtl.h/0 | {
"file_path": "engine/impeller/playground/backend/metal/playground_impl_mtl.h",
"repo_id": "engine",
"token_count": 599
} | 239 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import("//flutter/impeller/tools/impeller.gni")
impeller_shaders("imgui_shaders") {
name = "imgui"
# Not analyzing because they are not performance critical, and mipmap uses
# textureLod, which uses an extension that malioc does not support.
analyze = false
shaders = [
"imgui_raster.vert",
"imgui_raster.frag",
]
}
impeller_component("imgui_impeller_backend") {
public_deps = [
":imgui_shaders",
"//flutter/third_party/imgui",
]
deps = [ "//flutter/impeller/renderer" ]
sources = [
"imgui_impl_impeller.cc",
"imgui_impl_impeller.h",
]
}
| engine/impeller/playground/imgui/BUILD.gn/0 | {
"file_path": "engine/impeller/playground/imgui/BUILD.gn",
"repo_id": "engine",
"token_count": 284
} | 240 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import("../../tools/impeller.gni")
group("backend") {
public_deps = []
if (impeller_enable_metal) {
assert(is_mac || is_ios)
public_deps += [ "metal" ]
}
if (impeller_enable_opengles) {
assert(is_mac || is_linux || is_win || is_android)
public_deps += [ "gles" ]
}
if (impeller_enable_vulkan) {
assert(is_mac || is_linux || is_win || is_android)
public_deps += [ "vulkan" ]
}
}
| engine/impeller/renderer/backend/BUILD.gn/0 | {
"file_path": "engine/impeller/renderer/backend/BUILD.gn",
"repo_id": "engine",
"token_count": 227
} | 241 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/renderer/backend/gles/description_gles.h"
#include <algorithm>
#include <cctype>
#include <iomanip>
#include <sstream>
#include <string>
#include <utility>
#include <vector>
#include "impeller/base/strings.h"
#include "impeller/base/validation.h"
#include "impeller/renderer/backend/gles/proc_table_gles.h"
namespace impeller {
static std::string GetGLString(const ProcTableGLES& gl, GLenum name) {
auto str = gl.GetString(name);
if (str == nullptr) {
return "";
}
return reinterpret_cast<const char*>(str);
}
static std::string GetGLStringi(const ProcTableGLES& gl,
GLenum name,
int index) {
auto str = gl.GetStringi(name, index);
if (str == nullptr) {
return "";
}
return reinterpret_cast<const char*>(str);
}
static bool DetermineIfES(const std::string& version) {
return HasPrefix(version, "OpenGL ES");
}
static bool DetermineIfANGLE(const std::string& version) {
return version.find("ANGLE") != std::string::npos;
}
static std::optional<Version> DetermineVersion(std::string version) {
// Format for OpenGL "OpenGL<space>ES<space><version
// number><space><vendor-specific information>".
//
// Format for OpenGL SL "OpenGL<space>ES<space>GLSL<space>ES<space><version
// number><space><vendor-specific information>"
//
// The prefixes appear to be absent on Desktop GL.
version = StripPrefix(version, "OpenGL ES ");
version = StripPrefix(version, "GLSL ES ");
if (version.empty()) {
return std::nullopt;
}
std::stringstream stream;
for (size_t i = 0; i < version.size(); i++) {
const auto character = version[i];
if (std::isdigit(character) || character == '.') {
stream << character;
} else {
break;
}
}
std::istringstream istream;
istream.str(stream.str());
std::vector<size_t> version_components;
for (std::string version_component;
std::getline(istream, version_component, '.');) {
version_components.push_back(std::stoul(version_component));
}
return Version::FromVector(version_components);
}
DescriptionGLES::DescriptionGLES(const ProcTableGLES& gl)
: vendor_(GetGLString(gl, GL_VENDOR)),
renderer_(GetGLString(gl, GL_RENDERER)),
gl_version_string_(GetGLString(gl, GL_VERSION)),
sl_version_string_(GetGLString(gl, GL_SHADING_LANGUAGE_VERSION)) {
is_es_ = DetermineIfES(gl_version_string_);
is_angle_ = DetermineIfANGLE(gl_version_string_);
auto gl_version = DetermineVersion(gl_version_string_);
if (!gl_version.has_value()) {
VALIDATION_LOG << "Could not determine GL version.";
return;
}
gl_version_ = gl_version.value();
// GL_NUM_EXTENSIONS is only available in OpenGL 3+ and OpenGL ES 3+
if (gl_version_.IsAtLeast(Version(3, 0, 0))) {
int extension_count = 0;
gl.GetIntegerv(GL_NUM_EXTENSIONS, &extension_count);
for (auto i = 0; i < extension_count; i++) {
extensions_.insert(GetGLStringi(gl, GL_EXTENSIONS, i));
}
} else {
const auto extensions = GetGLString(gl, GL_EXTENSIONS);
std::stringstream extensions_stream(extensions);
std::string extension;
while (std::getline(extensions_stream, extension, ' ')) {
extensions_.insert(extension);
}
}
auto sl_version = DetermineVersion(sl_version_string_);
if (!sl_version.has_value()) {
VALIDATION_LOG << "Could not determine SL version.";
return;
}
sl_version_ = sl_version.value();
is_valid_ = true;
}
DescriptionGLES::~DescriptionGLES() = default;
bool DescriptionGLES::IsValid() const {
return is_valid_;
}
std::string DescriptionGLES::GetString() const {
if (!IsValid()) {
return "Unknown Renderer.";
}
std::vector<std::pair<std::string, std::string>> items;
items.emplace_back(std::make_pair("Vendor", vendor_));
items.emplace_back(std::make_pair("Renderer", renderer_));
items.emplace_back(std::make_pair("GL Version", gl_version_string_));
items.emplace_back(
std::make_pair("Shading Language Version", sl_version_string_));
items.emplace_back(
std::make_pair("Extensions", std::to_string(extensions_.size())));
size_t max_width = 0u;
for (const auto& item : items) {
max_width = std::max(max_width, item.first.size());
}
std::stringstream stream;
stream << "OpenGL Renderer:" << std::endl;
for (const auto& item : items) {
stream << std::setw(max_width + 1) << item.first << ": " << item.second
<< std::endl;
}
const auto pad = std::string(max_width + 3, ' ');
for (const auto& extension : extensions_) {
stream << pad << extension << std::endl;
}
return stream.str();
}
Version DescriptionGLES::GetGlVersion() const {
return gl_version_;
}
bool DescriptionGLES::IsES() const {
return is_es_;
}
bool DescriptionGLES::IsANGLE() const {
return is_angle_;
}
bool DescriptionGLES::HasExtension(const std::string& ext) const {
return extensions_.find(ext) != extensions_.end();
}
bool DescriptionGLES::HasDebugExtension() const {
return HasExtension("GL_KHR_debug");
}
} // namespace impeller
| engine/impeller/renderer/backend/gles/description_gles.cc/0 | {
"file_path": "engine/impeller/renderer/backend/gles/description_gles.cc",
"repo_id": "engine",
"token_count": 1928
} | 242 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_RENDERER_BACKEND_GLES_PROC_TABLE_GLES_H_
#define FLUTTER_IMPELLER_RENDERER_BACKEND_GLES_PROC_TABLE_GLES_H_
#include <functional>
#include <string>
#include "flutter/fml/logging.h"
#include "flutter/fml/mapping.h"
#include "impeller/renderer/backend/gles/capabilities_gles.h"
#include "impeller/renderer/backend/gles/description_gles.h"
#include "impeller/renderer/backend/gles/gles.h"
namespace impeller {
const char* GLErrorToString(GLenum value);
bool GLErrorIsFatal(GLenum value);
struct AutoErrorCheck {
const PFNGLGETERRORPROC error_fn;
// TODO(matanlurey) Change to string_view.
// https://github.com/flutter/flutter/issues/135922
const char* name;
AutoErrorCheck(PFNGLGETERRORPROC error, const char* name)
: error_fn(error), name(name) {}
~AutoErrorCheck() {
if (error_fn) {
auto error = error_fn();
if (error == GL_NO_ERROR) {
return;
}
if (GLErrorIsFatal(error)) {
FML_LOG(FATAL) << "Fatal GL Error " << GLErrorToString(error) << "("
<< error << ")" << " encountered on call to " << name;
} else {
FML_LOG(ERROR) << "GL Error " << GLErrorToString(error) << "(" << error
<< ")" << " encountered on call to " << name;
}
}
}
};
template <class T>
struct GLProc {
using GLFunctionType = T;
// TODO(matanlurey) Change to string_view.
// https://github.com/flutter/flutter/issues/135922
//----------------------------------------------------------------------------
/// The name of the GL function.
///
const char* name = nullptr;
//----------------------------------------------------------------------------
/// The pointer to the GL function.
///
GLFunctionType* function = nullptr;
//----------------------------------------------------------------------------
/// An optional error function. If present, all calls will be followed by an
/// error check.
///
PFNGLGETERRORPROC error_fn = nullptr;
//----------------------------------------------------------------------------
/// @brief Call the GL function with the appropriate parameters. Lookup
/// the documentation for the GL function being called to
/// understand the arguments and return types. The arguments
/// types must match and will be type checked.
///
template <class... Args>
auto operator()(Args&&... args) const {
#ifdef IMPELLER_DEBUG
AutoErrorCheck error(error_fn, name);
// We check for the existence of extensions, and reset the function pointer
// but it's still called unconditionally below, and will segfault. This
// validation log will at least give us a hint as to what's going on.
FML_CHECK(IsAvailable()) << "GL function " << name << " is not available. "
<< "This is likely due to a missing extension.";
#endif // IMPELLER_DEBUG
#ifdef IMPELLER_TRACE_ALL_GL_CALLS
TRACE_EVENT0("impeller", name);
#endif // IMPELLER_TRACE_ALL_GL_CALLS
return function(std::forward<Args>(args)...);
}
constexpr bool IsAvailable() const { return function != nullptr; }
void Reset() {
function = nullptr;
error_fn = nullptr;
}
};
#define FOR_EACH_IMPELLER_PROC(PROC) \
PROC(ActiveTexture); \
PROC(AttachShader); \
PROC(BindAttribLocation); \
PROC(BindBuffer); \
PROC(BindFramebuffer); \
PROC(BindRenderbuffer); \
PROC(BindTexture); \
PROC(BlendEquationSeparate); \
PROC(BlendFuncSeparate); \
PROC(BufferData); \
PROC(CheckFramebufferStatus); \
PROC(Clear); \
PROC(ClearColor); \
PROC(ClearStencil); \
PROC(ColorMask); \
PROC(CompileShader); \
PROC(CreateProgram); \
PROC(CreateShader); \
PROC(CullFace); \
PROC(DeleteBuffers); \
PROC(DeleteFramebuffers); \
PROC(DeleteProgram); \
PROC(DeleteRenderbuffers); \
PROC(DeleteShader); \
PROC(DeleteTextures); \
PROC(DepthFunc); \
PROC(DepthMask); \
PROC(DetachShader); \
PROC(Disable); \
PROC(DisableVertexAttribArray); \
PROC(DrawArrays); \
PROC(DrawElements); \
PROC(Enable); \
PROC(EnableVertexAttribArray); \
PROC(Flush); \
PROC(FramebufferRenderbuffer); \
PROC(FramebufferTexture2D); \
PROC(FrontFace); \
PROC(GenBuffers); \
PROC(GenerateMipmap); \
PROC(GenFramebuffers); \
PROC(GenRenderbuffers); \
PROC(GenTextures); \
PROC(GetActiveUniform); \
PROC(GetBooleanv); \
PROC(GetFloatv); \
PROC(GetFramebufferAttachmentParameteriv); \
PROC(GetIntegerv); \
PROC(GetProgramInfoLog); \
PROC(GetProgramiv); \
PROC(GetShaderInfoLog); \
PROC(GetShaderiv); \
PROC(GetString); \
PROC(GetStringi); \
PROC(GetUniformLocation); \
PROC(IsBuffer); \
PROC(IsFramebuffer); \
PROC(IsProgram); \
PROC(IsRenderbuffer); \
PROC(IsShader); \
PROC(IsTexture); \
PROC(LinkProgram); \
PROC(RenderbufferStorage); \
PROC(Scissor); \
PROC(ShaderBinary); \
PROC(ShaderSource); \
PROC(StencilFuncSeparate); \
PROC(StencilMaskSeparate); \
PROC(StencilOpSeparate); \
PROC(TexImage2D); \
PROC(TexParameteri); \
PROC(TexParameterfv); \
PROC(Uniform1fv); \
PROC(Uniform1i); \
PROC(Uniform2fv); \
PROC(Uniform3fv); \
PROC(Uniform4fv); \
PROC(UniformMatrix4fv); \
PROC(UseProgram); \
PROC(VertexAttribPointer); \
PROC(Viewport); \
PROC(GetShaderSource); \
PROC(ReadPixels);
// Calls specific to OpenGLES.
void(glClearDepthf)(GLfloat depth);
void(glDepthRangef)(GLfloat n, GLfloat f);
#define FOR_EACH_IMPELLER_ES_ONLY_PROC(PROC) \
PROC(ClearDepthf); \
PROC(DepthRangef);
// Calls specific to desktop GL.
void(glClearDepth)(GLdouble depth);
void(glDepthRange)(GLdouble n, GLdouble f);
#define FOR_EACH_IMPELLER_DESKTOP_ONLY_PROC(PROC) \
PROC(ClearDepth); \
PROC(DepthRange);
#define FOR_EACH_IMPELLER_GLES3_PROC(PROC) PROC(BlitFramebuffer);
#define FOR_EACH_IMPELLER_EXT_PROC(PROC) \
PROC(DebugMessageControlKHR); \
PROC(DiscardFramebufferEXT); \
PROC(FramebufferTexture2DMultisampleEXT); \
PROC(PushDebugGroupKHR); \
PROC(PopDebugGroupKHR); \
PROC(ObjectLabelKHR); \
PROC(RenderbufferStorageMultisampleEXT); \
PROC(GenQueriesEXT); \
PROC(DeleteQueriesEXT); \
PROC(GetQueryObjectui64vEXT); \
PROC(BeginQueryEXT); \
PROC(EndQueryEXT); \
PROC(GetQueryObjectuivEXT);
enum class DebugResourceType {
kTexture,
kBuffer,
kProgram,
kShader,
kRenderBuffer,
kFrameBuffer,
};
class ProcTableGLES {
public:
using Resolver = std::function<void*(const char* function_name)>;
explicit ProcTableGLES(Resolver resolver);
ProcTableGLES(ProcTableGLES&& other) = default;
~ProcTableGLES();
#define IMPELLER_PROC(name) \
GLProc<decltype(gl##name)> name = {"gl" #name, nullptr};
FOR_EACH_IMPELLER_PROC(IMPELLER_PROC);
FOR_EACH_IMPELLER_ES_ONLY_PROC(IMPELLER_PROC);
FOR_EACH_IMPELLER_DESKTOP_ONLY_PROC(IMPELLER_PROC);
FOR_EACH_IMPELLER_GLES3_PROC(IMPELLER_PROC);
FOR_EACH_IMPELLER_EXT_PROC(IMPELLER_PROC);
#undef IMPELLER_PROC
bool IsValid() const;
/// @brief Set the source for the attached [shader].
///
/// Optionally, [defines] may contain a string value that will be
/// append to the shader source after the version marker. This can be used to
/// support static specialization. For example, setting "#define Foo 1".
void ShaderSourceMapping(GLuint shader,
const fml::Mapping& mapping,
const std::vector<Scalar>& defines = {}) const;
const DescriptionGLES* GetDescription() const;
const std::shared_ptr<const CapabilitiesGLES>& GetCapabilities() const;
std::string DescribeCurrentFramebuffer() const;
std::string GetProgramInfoLogString(GLuint program) const;
bool IsCurrentFramebufferComplete() const;
bool SetDebugLabel(DebugResourceType type,
GLint name,
const std::string& label) const;
void PushDebugGroup(const std::string& string) const;
void PopDebugGroup() const;
// Visible For testing.
std::optional<std::string> ComputeShaderWithDefines(
const fml::Mapping& mapping,
const std::vector<Scalar>& defines) const;
private:
bool is_valid_ = false;
std::unique_ptr<DescriptionGLES> description_;
std::shared_ptr<const CapabilitiesGLES> capabilities_;
GLint debug_label_max_length_ = 0;
ProcTableGLES(const ProcTableGLES&) = delete;
ProcTableGLES& operator=(const ProcTableGLES&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_RENDERER_BACKEND_GLES_PROC_TABLE_GLES_H_
| engine/impeller/renderer/backend/gles/proc_table_gles.h/0 | {
"file_path": "engine/impeller/renderer/backend/gles/proc_table_gles.h",
"repo_id": "engine",
"token_count": 5227
} | 243 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/testing/testing.h" // IWYU pragma: keep
#include "gtest/gtest.h"
#include "impeller/renderer/backend/gles/proc_table_gles.h"
#include "impeller/renderer/backend/gles/test/mock_gles.h"
namespace impeller {
namespace testing {
TEST(CapabilitiesGLES, CanInitializeWithDefaults) {
auto mock_gles = MockGLES::Init();
auto capabilities = mock_gles->GetProcTable().GetCapabilities();
EXPECT_FALSE(capabilities->SupportsOffscreenMSAA());
EXPECT_FALSE(capabilities->SupportsSSBO());
EXPECT_FALSE(capabilities->SupportsBufferToTextureBlits());
EXPECT_FALSE(capabilities->SupportsTextureToTextureBlits());
EXPECT_FALSE(capabilities->SupportsFramebufferFetch());
EXPECT_FALSE(capabilities->SupportsCompute());
EXPECT_FALSE(capabilities->SupportsComputeSubgroups());
EXPECT_FALSE(capabilities->SupportsReadFromResolve());
EXPECT_FALSE(capabilities->SupportsDecalSamplerAddressMode());
EXPECT_FALSE(capabilities->SupportsDeviceTransientTextures());
EXPECT_EQ(capabilities->GetDefaultColorFormat(),
PixelFormat::kR8G8B8A8UNormInt);
EXPECT_EQ(capabilities->GetDefaultStencilFormat(), PixelFormat::kS8UInt);
EXPECT_EQ(capabilities->GetDefaultDepthStencilFormat(),
PixelFormat::kD24UnormS8Uint);
}
TEST(CapabilitiesGLES, SupportsDecalSamplerAddressMode) {
auto const extensions = std::vector<const unsigned char*>{
reinterpret_cast<const unsigned char*>("GL_KHR_debug"), //
reinterpret_cast<const unsigned char*>("GL_EXT_texture_border_clamp"), //
};
auto mock_gles = MockGLES::Init(extensions);
auto capabilities = mock_gles->GetProcTable().GetCapabilities();
EXPECT_TRUE(capabilities->SupportsDecalSamplerAddressMode());
}
TEST(CapabilitiesGLES, SupportsDecalSamplerAddressModeNotOES) {
auto const extensions = std::vector<const unsigned char*>{
reinterpret_cast<const unsigned char*>("GL_KHR_debug"), //
reinterpret_cast<const unsigned char*>("GL_OES_texture_border_clamp"), //
};
auto mock_gles = MockGLES::Init(extensions);
auto capabilities = mock_gles->GetProcTable().GetCapabilities();
EXPECT_FALSE(capabilities->SupportsDecalSamplerAddressMode());
}
TEST(CapabilitiesGLES, SupportsFramebufferFetch) {
auto const extensions = std::vector<const unsigned char*>{
reinterpret_cast<const unsigned char*>("GL_KHR_debug"), //
reinterpret_cast<const unsigned char*>(
"GL_EXT_shader_framebuffer_fetch"), //
};
auto mock_gles = MockGLES::Init(extensions);
auto capabilities = mock_gles->GetProcTable().GetCapabilities();
EXPECT_TRUE(capabilities->SupportsFramebufferFetch());
}
} // namespace testing
} // namespace impeller
| engine/impeller/renderer/backend/gles/test/capabilities_unittests.cc/0 | {
"file_path": "engine/impeller/renderer/backend/gles/test/capabilities_unittests.cc",
"repo_id": "engine",
"token_count": 1002
} | 244 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/renderer/backend/metal/blit_pass_mtl.h"
#include <Metal/Metal.h>
#include <memory>
#include <variant>
#include "flutter/fml/closure.h"
#include "flutter/fml/logging.h"
#include "flutter/fml/trace_event.h"
#include "impeller/base/backend_cast.h"
#include "impeller/core/formats.h"
#include "impeller/core/host_buffer.h"
#include "impeller/core/shader_types.h"
#include "impeller/renderer/backend/metal/blit_command_mtl.h"
#include "impeller/renderer/backend/metal/device_buffer_mtl.h"
#include "impeller/renderer/backend/metal/formats_mtl.h"
#include "impeller/renderer/backend/metal/pipeline_mtl.h"
#include "impeller/renderer/backend/metal/sampler_mtl.h"
#include "impeller/renderer/backend/metal/texture_mtl.h"
#include "impeller/renderer/blit_command.h"
namespace impeller {
BlitPassMTL::BlitPassMTL(id<MTLCommandBuffer> buffer) : buffer_(buffer) {
if (!buffer_) {
return;
}
is_valid_ = true;
}
BlitPassMTL::~BlitPassMTL() = default;
bool BlitPassMTL::IsValid() const {
return is_valid_;
}
void BlitPassMTL::OnSetLabel(std::string label) {
if (label.empty()) {
return;
}
label_ = std::move(label);
}
bool BlitPassMTL::EncodeCommands(
const std::shared_ptr<Allocator>& transients_allocator) const {
TRACE_EVENT0("impeller", "BlitPassMTL::EncodeCommands");
if (!IsValid()) {
return false;
}
auto blit_command_encoder = [buffer_ blitCommandEncoder];
if (!blit_command_encoder) {
return false;
}
if (!label_.empty()) {
[blit_command_encoder setLabel:@(label_.c_str())];
}
// Success or failure, the pass must end. The buffer can only process one pass
// at a time.
fml::ScopedCleanupClosure auto_end(
[blit_command_encoder]() { [blit_command_encoder endEncoding]; });
return EncodeCommands(blit_command_encoder);
}
bool BlitPassMTL::EncodeCommands(id<MTLBlitCommandEncoder> encoder) const {
fml::closure pop_debug_marker = [encoder]() { [encoder popDebugGroup]; };
for (const auto& command : commands_) {
fml::ScopedCleanupClosure auto_pop_debug_marker(pop_debug_marker);
auto label = command->GetLabel();
if (!label.empty()) {
[encoder pushDebugGroup:@(label.c_str())];
} else {
auto_pop_debug_marker.Release();
}
if (!command->Encode(encoder)) {
return false;
}
}
return true;
}
// |BlitPass|
bool BlitPassMTL::OnCopyTextureToTextureCommand(
std::shared_ptr<Texture> source,
std::shared_ptr<Texture> destination,
IRect source_region,
IPoint destination_origin,
std::string label) {
auto command = std::make_unique<BlitCopyTextureToTextureCommandMTL>();
command->label = label;
command->source = std::move(source);
command->destination = std::move(destination);
command->source_region = source_region;
command->destination_origin = destination_origin;
commands_.emplace_back(std::move(command));
return true;
}
// |BlitPass|
bool BlitPassMTL::OnCopyTextureToBufferCommand(
std::shared_ptr<Texture> source,
std::shared_ptr<DeviceBuffer> destination,
IRect source_region,
size_t destination_offset,
std::string label) {
auto command = std::make_unique<BlitCopyTextureToBufferCommandMTL>();
command->label = label;
command->source = std::move(source);
command->destination = std::move(destination);
command->source_region = source_region;
command->destination_offset = destination_offset;
commands_.emplace_back(std::move(command));
return true;
}
bool BlitPassMTL::OnCopyBufferToTextureCommand(
BufferView source,
std::shared_ptr<Texture> destination,
IPoint destination_origin,
std::string label) {
auto command = std::make_unique<BlitCopyBufferToTextureCommandMTL>();
command->label = label;
command->source = std::move(source);
command->destination = std::move(destination);
command->destination_origin = destination_origin;
commands_.emplace_back(std::move(command));
return true;
}
// |BlitPass|
bool BlitPassMTL::OnGenerateMipmapCommand(std::shared_ptr<Texture> texture,
std::string label) {
auto command = std::make_unique<BlitGenerateMipmapCommandMTL>();
command->label = label;
command->texture = std::move(texture);
commands_.emplace_back(std::move(command));
return true;
}
} // namespace impeller
| engine/impeller/renderer/backend/metal/blit_pass_mtl.mm/0 | {
"file_path": "engine/impeller/renderer/backend/metal/blit_pass_mtl.mm",
"repo_id": "engine",
"token_count": 1653
} | 245 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include <Metal/Metal.h>
#include "fml/trace_event.h"
#include "impeller/renderer/backend/metal/context_mtl.h"
#include "impeller/renderer/backend/metal/formats_mtl.h"
#include <memory>
#include "impeller/renderer/backend/metal/gpu_tracer_mtl.h"
namespace impeller {
void GPUTracerMTL::MarkFrameEnd() {
if (@available(ios 10.3, tvos 10.2, macos 10.15, macCatalyst 13.0, *)) {
Lock lock(trace_state_mutex_);
current_state_ = (current_state_ + 1) % 16;
}
}
void GPUTracerMTL::RecordCmdBuffer(id<MTLCommandBuffer> buffer) {
if (@available(ios 10.3, tvos 10.2, macos 10.15, macCatalyst 13.0, *)) {
Lock lock(trace_state_mutex_);
auto current_state = current_state_;
trace_states_[current_state].pending_buffers += 1;
auto weak_self = weak_from_this();
[buffer addCompletedHandler:^(id<MTLCommandBuffer> buffer) {
auto self = weak_self.lock();
if (!self) {
return;
}
Lock lock(self->trace_state_mutex_);
auto& state = self->trace_states_[current_state];
state.pending_buffers--;
state.smallest_timestamp = std::min(
state.smallest_timestamp, static_cast<Scalar>(buffer.GPUStartTime));
state.largest_timestamp = std::max(
state.largest_timestamp, static_cast<Scalar>(buffer.GPUEndTime));
if (state.pending_buffers == 0) {
auto gpu_ms =
(state.largest_timestamp - state.smallest_timestamp) * 1000;
state.smallest_timestamp = std::numeric_limits<float>::max();
state.largest_timestamp = 0;
FML_TRACE_COUNTER("flutter", "GPUTracer",
reinterpret_cast<int64_t>(this), // Trace Counter ID
"FrameTimeMS", gpu_ms);
}
}];
}
}
} // namespace impeller
| engine/impeller/renderer/backend/metal/gpu_tracer_mtl.mm/0 | {
"file_path": "engine/impeller/renderer/backend/metal/gpu_tracer_mtl.mm",
"repo_id": "engine",
"token_count": 819
} | 246 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/renderer/backend/metal/shader_function_mtl.h"
namespace impeller {
ShaderFunctionMTL::ShaderFunctionMTL(UniqueID parent_library_id,
id<MTLFunction> function,
id<MTLLibrary> library,
std::string name,
ShaderStage stage)
: ShaderFunction(parent_library_id, std::move(name), stage),
function_(function),
library_(library) {}
ShaderFunctionMTL::~ShaderFunctionMTL() = default;
void ShaderFunctionMTL::GetMTLFunctionSpecialized(
const std::vector<Scalar>& constants,
const CompileCallback& callback) const {
MTLFunctionConstantValues* constantValues =
[[MTLFunctionConstantValues alloc] init];
size_t index = 0;
for (const auto value : constants) {
Scalar copied_value = value;
[constantValues setConstantValue:&copied_value
type:MTLDataTypeFloat
atIndex:index];
index++;
}
CompileCallback callback_value = callback;
[library_ newFunctionWithName:@(GetName().data())
constantValues:constantValues
completionHandler:^(id<MTLFunction> _Nullable function,
NSError* _Nullable error) {
callback_value(function);
}];
}
id<MTLFunction> ShaderFunctionMTL::GetMTLFunction() const {
return function_;
}
} // namespace impeller
| engine/impeller/renderer/backend/metal/shader_function_mtl.mm/0 | {
"file_path": "engine/impeller/renderer/backend/metal/shader_function_mtl.mm",
"repo_id": "engine",
"token_count": 742
} | 247 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/renderer/backend/vulkan/android/ahb_texture_source_vk.h"
#include "impeller/renderer/backend/vulkan/allocator_vk.h"
#include "impeller/renderer/backend/vulkan/context_vk.h"
#include "impeller/renderer/backend/vulkan/texture_source_vk.h"
#include "impeller/renderer/backend/vulkan/yuv_conversion_library_vk.h"
namespace impeller {
using AHBProperties = vk::StructureChain<
// For VK_ANDROID_external_memory_android_hardware_buffer
vk::AndroidHardwareBufferPropertiesANDROID,
// For VK_ANDROID_external_memory_android_hardware_buffer
vk::AndroidHardwareBufferFormatPropertiesANDROID>;
static vk::UniqueImage CreateVKImageWrapperForAndroidHarwareBuffer(
const vk::Device& device,
const AHBProperties& ahb_props,
const AHardwareBuffer_Desc& ahb_desc) {
const auto& ahb_format =
ahb_props.get<vk::AndroidHardwareBufferFormatPropertiesANDROID>();
vk::StructureChain<vk::ImageCreateInfo,
// For VK_KHR_external_memory
vk::ExternalMemoryImageCreateInfo,
// For VK_ANDROID_external_memory_android_hardware_buffer
vk::ExternalFormatANDROID>
image_chain;
auto& image_info = image_chain.get<vk::ImageCreateInfo>();
vk::ImageUsageFlags image_usage_flags;
if (ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_SAMPLED_IMAGE) {
image_usage_flags |= vk::ImageUsageFlagBits::eSampled;
}
if (ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_FRAMEBUFFER) {
image_usage_flags |= vk::ImageUsageFlagBits::eColorAttachment;
}
vk::ImageCreateFlags image_create_flags;
if (ahb_desc.usage & AHARDWAREBUFFER_USAGE_PROTECTED_CONTENT) {
image_create_flags |= vk::ImageCreateFlagBits::eProtected;
}
if (ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_CUBE_MAP) {
image_create_flags |= vk::ImageCreateFlagBits::eCubeCompatible;
}
image_info.imageType = vk::ImageType::e2D;
image_info.format = ahb_format.format;
image_info.extent.width = ahb_desc.width;
image_info.extent.height = ahb_desc.height;
image_info.extent.depth = 1;
image_info.mipLevels =
(ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_MIPMAP_COMPLETE)
? ISize{ahb_desc.width, ahb_desc.height}.MipCount()
: 1u;
image_info.arrayLayers = ahb_desc.layers;
image_info.samples = vk::SampleCountFlagBits::e1;
image_info.tiling = vk::ImageTiling::eOptimal;
image_info.usage = image_usage_flags;
image_info.flags = image_create_flags;
image_info.sharingMode = vk::SharingMode::eExclusive;
image_info.initialLayout = vk::ImageLayout::eUndefined;
image_chain.get<vk::ExternalMemoryImageCreateInfo>().handleTypes =
vk::ExternalMemoryHandleTypeFlagBits::eAndroidHardwareBufferANDROID;
// If the format isn't natively supported by Vulkan (i.e, be a part of the
// base vkFormat enum), an untyped "external format" must be specified when
// creating the image and the image views. Usually includes YUV formats.
if (ahb_format.format == vk::Format::eUndefined) {
image_chain.get<vk::ExternalFormatANDROID>().externalFormat =
ahb_format.externalFormat;
} else {
image_chain.unlink<vk::ExternalFormatANDROID>();
}
auto image = device.createImageUnique(image_chain.get());
if (image.result != vk::Result::eSuccess) {
VALIDATION_LOG << "Could not create image for external buffer: "
<< vk::to_string(image.result);
return {};
}
return std::move(image.value);
}
static vk::UniqueDeviceMemory ImportVKDeviceMemoryFromAndroidHarwareBuffer(
const vk::Device& device,
const vk::PhysicalDevice& physical_device,
const vk::Image& image,
struct AHardwareBuffer* hardware_buffer,
const AHBProperties& ahb_props) {
vk::PhysicalDeviceMemoryProperties memory_properties;
physical_device.getMemoryProperties(&memory_properties);
int memory_type_index = AllocatorVK::FindMemoryTypeIndex(
ahb_props.get().memoryTypeBits, memory_properties);
if (memory_type_index < 0) {
VALIDATION_LOG << "Could not find memory type of external image.";
return {};
}
vk::StructureChain<vk::MemoryAllocateInfo,
// Core in 1.1
vk::MemoryDedicatedAllocateInfo,
// For VK_ANDROID_external_memory_android_hardware_buffer
vk::ImportAndroidHardwareBufferInfoANDROID>
memory_chain;
auto& mem_alloc_info = memory_chain.get<vk::MemoryAllocateInfo>();
mem_alloc_info.allocationSize = ahb_props.get().allocationSize;
mem_alloc_info.memoryTypeIndex = memory_type_index;
auto& dedicated_alloc_info =
memory_chain.get<vk::MemoryDedicatedAllocateInfo>();
dedicated_alloc_info.image = image;
auto& ahb_import_info =
memory_chain.get<vk::ImportAndroidHardwareBufferInfoANDROID>();
ahb_import_info.buffer = hardware_buffer;
auto device_memory = device.allocateMemoryUnique(memory_chain.get());
if (device_memory.result != vk::Result::eSuccess) {
VALIDATION_LOG << "Could not allocate device memory for external image : "
<< vk::to_string(device_memory.result);
return {};
}
return std::move(device_memory.value);
}
static std::shared_ptr<YUVConversionVK> CreateYUVConversion(
const ContextVK& context,
const AHBProperties& ahb_props) {
YUVConversionDescriptorVK conversion_chain;
const auto& ahb_format =
ahb_props.get<vk::AndroidHardwareBufferFormatPropertiesANDROID>();
auto& conversion_info = conversion_chain.get();
conversion_info.format = ahb_format.format;
conversion_info.ycbcrModel = ahb_format.suggestedYcbcrModel;
conversion_info.ycbcrRange = ahb_format.suggestedYcbcrRange;
conversion_info.components = ahb_format.samplerYcbcrConversionComponents;
conversion_info.xChromaOffset = ahb_format.suggestedXChromaOffset;
conversion_info.yChromaOffset = ahb_format.suggestedYChromaOffset;
// If the potential format features of the sampler Y′CBCR conversion do not
// support VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_LINEAR_FILTER_BIT,
// chromaFilter must not be VK_FILTER_LINEAR.
//
// Since we are not checking, let's just default to a safe value.
conversion_info.chromaFilter = vk::Filter::eNearest;
conversion_info.forceExplicitReconstruction = false;
if (conversion_info.format == vk::Format::eUndefined) {
auto& external_format = conversion_chain.get<vk::ExternalFormatANDROID>();
external_format.externalFormat = ahb_format.externalFormat;
} else {
conversion_chain.unlink<vk::ExternalFormatANDROID>();
}
return context.GetYUVConversionLibrary()->GetConversion(conversion_chain);
}
static vk::UniqueImageView CreateVKImageView(
const vk::Device& device,
const vk::Image& image,
const vk::SamplerYcbcrConversion& yuv_conversion,
const AHBProperties& ahb_props,
const AHardwareBuffer_Desc& ahb_desc) {
const auto& ahb_format =
ahb_props.get<vk::AndroidHardwareBufferFormatPropertiesANDROID>();
vk::StructureChain<vk::ImageViewCreateInfo,
// Core in 1.1
vk::SamplerYcbcrConversionInfo>
view_chain;
auto& view_info = view_chain.get();
view_info.image = image;
view_info.viewType = vk::ImageViewType::e2D;
view_info.format = ahb_format.format;
view_info.subresourceRange.aspectMask = vk::ImageAspectFlagBits::eColor;
view_info.subresourceRange.baseMipLevel = 0u;
view_info.subresourceRange.baseArrayLayer = 0u;
view_info.subresourceRange.levelCount =
(ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_MIPMAP_COMPLETE)
? ISize{ahb_desc.width, ahb_desc.height}.MipCount()
: 1u;
view_info.subresourceRange.layerCount = ahb_desc.layers;
// We need a custom YUV conversion only if we don't recognize the format.
if (view_info.format == vk::Format::eUndefined) {
view_chain.get<vk::SamplerYcbcrConversionInfo>().conversion =
yuv_conversion;
} else {
view_chain.unlink<vk::SamplerYcbcrConversionInfo>();
}
auto image_view = device.createImageViewUnique(view_info);
if (image_view.result != vk::Result::eSuccess) {
VALIDATION_LOG << "Could not create external image view: "
<< vk::to_string(image_view.result);
return {};
}
return std::move(image_view.value);
}
static PixelFormat ToPixelFormat(AHardwareBuffer_Format format) {
switch (format) {
case AHARDWAREBUFFER_FORMAT_R8G8B8A8_UNORM:
return PixelFormat::kR8G8B8A8UNormInt;
case AHARDWAREBUFFER_FORMAT_R16G16B16A16_FLOAT:
return PixelFormat::kR16G16B16A16Float;
case AHARDWAREBUFFER_FORMAT_D24_UNORM_S8_UINT:
return PixelFormat::kD24UnormS8Uint;
case AHARDWAREBUFFER_FORMAT_D32_FLOAT_S8_UINT:
return PixelFormat::kD32FloatS8UInt;
case AHARDWAREBUFFER_FORMAT_S8_UINT:
return PixelFormat::kS8UInt;
case AHARDWAREBUFFER_FORMAT_R8_UNORM:
return PixelFormat::kR8UNormInt;
case AHARDWAREBUFFER_FORMAT_R10G10B10A10_UNORM:
case AHARDWAREBUFFER_FORMAT_R16G16_UINT:
case AHARDWAREBUFFER_FORMAT_D32_FLOAT:
case AHARDWAREBUFFER_FORMAT_R16_UINT:
case AHARDWAREBUFFER_FORMAT_D24_UNORM:
case AHARDWAREBUFFER_FORMAT_Y8Cb8Cr8_420:
case AHARDWAREBUFFER_FORMAT_YCbCr_P010:
case AHARDWAREBUFFER_FORMAT_BLOB:
case AHARDWAREBUFFER_FORMAT_R10G10B10A2_UNORM:
case AHARDWAREBUFFER_FORMAT_R5G6B5_UNORM:
case AHARDWAREBUFFER_FORMAT_R8G8B8_UNORM:
case AHARDWAREBUFFER_FORMAT_D16_UNORM:
case AHARDWAREBUFFER_FORMAT_R8G8B8X8_UNORM:
// Not understood by the rest of Impeller. Use a placeholder but create
// the native image and image views using the right external format.
break;
}
return PixelFormat::kR8G8B8A8UNormInt;
}
static TextureType ToTextureType(const AHardwareBuffer_Desc& ahb_desc) {
if (ahb_desc.layers == 1u) {
return TextureType::kTexture2D;
}
if (ahb_desc.layers % 6u == 0 &&
(ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_CUBE_MAP)) {
return TextureType::kTextureCube;
}
// Our texture types seem to understand external OES textures. Should these be
// wired up instead?
return TextureType::kTexture2D;
}
static TextureDescriptor ToTextureDescriptor(
const AHardwareBuffer_Desc& ahb_desc) {
const auto ahb_size = ISize{ahb_desc.width, ahb_desc.height};
TextureDescriptor desc;
// We are not going to touch hardware buffers on the CPU or use them as
// transient attachments. Just treat them as device private.
desc.storage_mode = StorageMode::kDevicePrivate;
desc.format =
ToPixelFormat(static_cast<AHardwareBuffer_Format>(ahb_desc.format));
desc.size = ahb_size;
desc.type = ToTextureType(ahb_desc);
desc.sample_count = SampleCount::kCount1;
desc.compression_type = CompressionType::kLossless;
desc.mip_count = (ahb_desc.usage & AHARDWAREBUFFER_USAGE_GPU_MIPMAP_COMPLETE)
? ahb_size.MipCount()
: 1u;
return desc;
}
AHBTextureSourceVK::AHBTextureSourceVK(
const std::shared_ptr<ContextVK>& context,
struct AHardwareBuffer* ahb,
const AHardwareBuffer_Desc& ahb_desc)
: TextureSourceVK(ToTextureDescriptor(ahb_desc)) {
if (!context) {
VALIDATION_LOG << "Invalid context.";
return;
}
const auto& device = context->GetDevice();
const auto& physical_device = context->GetPhysicalDevice();
AHBProperties ahb_props;
if (device.getAndroidHardwareBufferPropertiesANDROID(ahb, &ahb_props.get()) !=
vk::Result::eSuccess) {
VALIDATION_LOG << "Could not determine properties of the Android hardware "
"buffer.";
return;
}
const auto& ahb_format =
ahb_props.get<vk::AndroidHardwareBufferFormatPropertiesANDROID>();
// Create an image to refer to our external image.
auto image =
CreateVKImageWrapperForAndroidHarwareBuffer(device, ahb_props, ahb_desc);
if (!image) {
return;
}
// Create a device memory allocation to refer to our external image.
auto device_memory = ImportVKDeviceMemoryFromAndroidHarwareBuffer(
device, physical_device, image.get(), ahb, ahb_props);
if (!device_memory) {
return;
}
// Bind the image to the image memory.
if (auto result = device.bindImageMemory(image.get(), device_memory.get(), 0);
result != vk::Result::eSuccess) {
VALIDATION_LOG << "Could not bind external device memory to image : "
<< vk::to_string(result);
return;
}
// Figure out how to perform YUV conversions.
auto yuv_conversion = CreateYUVConversion(*context, ahb_props);
if (!yuv_conversion || !yuv_conversion->IsValid()) {
return;
}
// Create image view for the newly created image.
auto image_view = CreateVKImageView(device, //
image.get(), //
yuv_conversion->GetConversion(), //
ahb_props, //
ahb_desc //
);
if (!image_view) {
return;
}
needs_yuv_conversion_ = ahb_format.format == vk::Format::eUndefined;
device_memory_ = std::move(device_memory);
image_ = std::move(image);
yuv_conversion_ = std::move(yuv_conversion);
image_view_ = std::move(image_view);
#ifdef IMPELLER_DEBUG
context->SetDebugName(device_memory_.get(), "AHB Device Memory");
context->SetDebugName(image_.get(), "AHB Image");
context->SetDebugName(yuv_conversion_->GetConversion(), "AHB YUV Conversion");
context->SetDebugName(image_view_.get(), "AHB ImageView");
#endif // IMPELLER_DEBUG
is_valid_ = true;
}
// |TextureSourceVK|
AHBTextureSourceVK::~AHBTextureSourceVK() = default;
bool AHBTextureSourceVK::IsValid() const {
return is_valid_;
}
// |TextureSourceVK|
vk::Image AHBTextureSourceVK::GetImage() const {
return image_.get();
}
// |TextureSourceVK|
vk::ImageView AHBTextureSourceVK::GetImageView() const {
return image_view_.get();
}
// |TextureSourceVK|
vk::ImageView AHBTextureSourceVK::GetRenderTargetView() const {
return image_view_.get();
}
// |TextureSourceVK|
bool AHBTextureSourceVK::IsSwapchainImage() const {
return false;
}
// |TextureSourceVK|
std::shared_ptr<YUVConversionVK> AHBTextureSourceVK::GetYUVConversion() const {
return needs_yuv_conversion_ ? yuv_conversion_ : nullptr;
}
} // namespace impeller
| engine/impeller/renderer/backend/vulkan/android/ahb_texture_source_vk.cc/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/android/ahb_texture_source_vk.cc",
"repo_id": "engine",
"token_count": 5725
} | 248 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/renderer/backend/vulkan/command_pool_vk.h"
#include <memory>
#include <optional>
#include <utility>
#include "impeller/renderer/backend/vulkan/context_vk.h"
#include "impeller/renderer/backend/vulkan/resource_manager_vk.h"
#include "impeller/renderer/backend/vulkan/vk.h" // IWYU pragma: keep.
#include "vulkan/vulkan_handles.hpp"
#include "vulkan/vulkan_structs.hpp"
namespace impeller {
// Holds the command pool in a background thread, recyling it when not in use.
class BackgroundCommandPoolVK final {
public:
BackgroundCommandPoolVK(BackgroundCommandPoolVK&&) = default;
// The recycler also recycles command buffers that were never used, up to a
// limit of 16 per frame. This number was somewhat arbitrarily chosen.
static constexpr size_t kUnusedCommandBufferLimit = 16u;
explicit BackgroundCommandPoolVK(
vk::UniqueCommandPool&& pool,
std::vector<vk::UniqueCommandBuffer>&& buffers,
size_t unused_count,
std::weak_ptr<CommandPoolRecyclerVK> recycler)
: pool_(std::move(pool)),
buffers_(std::move(buffers)),
unused_count_(unused_count),
recycler_(std::move(recycler)) {}
~BackgroundCommandPoolVK() {
auto const recycler = recycler_.lock();
// Not only does this prevent recycling when the context is being destroyed,
// but it also prevents the destructor from effectively being called twice;
// once for the original BackgroundCommandPoolVK() and once for the moved
// BackgroundCommandPoolVK().
if (!recycler) {
return;
}
// If there are many unused command buffers, release some of them.
if (unused_count_ > kUnusedCommandBufferLimit) {
for (auto i = 0u; i < unused_count_; i++) {
buffers_.pop_back();
}
}
recycler->Reclaim(std::move(pool_), std::move(buffers_));
}
private:
BackgroundCommandPoolVK(const BackgroundCommandPoolVK&) = delete;
BackgroundCommandPoolVK& operator=(const BackgroundCommandPoolVK&) = delete;
vk::UniqueCommandPool pool_;
// These are retained because the destructor of the C++ UniqueCommandBuffer
// wrapper type will attempt to reset the cmd buffer, and doing so may be a
// thread safety violation as this may happen on the fence waiter thread.
std::vector<vk::UniqueCommandBuffer> buffers_;
const size_t unused_count_;
std::weak_ptr<CommandPoolRecyclerVK> recycler_;
};
CommandPoolVK::~CommandPoolVK() {
if (!pool_) {
return;
}
auto const context = context_.lock();
if (!context) {
return;
}
auto const recycler = context->GetCommandPoolRecycler();
if (!recycler) {
return;
}
// Any unused command buffers are added to the set of used command buffers.
// both will be reset to the initial state when the pool is reset.
size_t unused_count = unused_command_buffers_.size();
for (auto i = 0u; i < unused_command_buffers_.size(); i++) {
collected_buffers_.push_back(std::move(unused_command_buffers_[i]));
}
unused_command_buffers_.clear();
auto reset_pool_when_dropped = BackgroundCommandPoolVK(
std::move(pool_), std::move(collected_buffers_), unused_count, recycler);
UniqueResourceVKT<BackgroundCommandPoolVK> pool(
context->GetResourceManager(), std::move(reset_pool_when_dropped));
}
// TODO(matanlurey): Return a status_or<> instead of {} when we have one.
vk::UniqueCommandBuffer CommandPoolVK::CreateCommandBuffer() {
auto const context = context_.lock();
if (!context) {
return {};
}
Lock lock(pool_mutex_);
if (!pool_) {
return {};
}
if (!unused_command_buffers_.empty()) {
vk::UniqueCommandBuffer buffer = std::move(unused_command_buffers_.back());
unused_command_buffers_.pop_back();
return buffer;
}
auto const device = context->GetDevice();
vk::CommandBufferAllocateInfo info;
info.setCommandPool(pool_.get());
info.setCommandBufferCount(1u);
info.setLevel(vk::CommandBufferLevel::ePrimary);
auto [result, buffers] = device.allocateCommandBuffersUnique(info);
if (result != vk::Result::eSuccess) {
return {};
}
return std::move(buffers[0]);
}
void CommandPoolVK::CollectCommandBuffer(vk::UniqueCommandBuffer&& buffer) {
Lock lock(pool_mutex_);
if (!pool_) {
// If the command pool has already been destroyed, then its buffers have
// already been freed.
buffer.release();
return;
}
collected_buffers_.push_back(std::move(buffer));
}
void CommandPoolVK::Destroy() {
Lock lock(pool_mutex_);
pool_.reset();
// When the command pool is destroyed, all of its command buffers are freed.
// Handles allocated from that pool are now invalid and must be discarded.
for (auto& buffer : collected_buffers_) {
buffer.release();
}
for (auto& buffer : unused_command_buffers_) {
buffer.release();
}
unused_command_buffers_.clear();
collected_buffers_.clear();
}
// Associates a resource with a thread and context.
using CommandPoolMap =
std::unordered_map<uint64_t, std::shared_ptr<CommandPoolVK>>;
// CommandPoolVK Lifecycle:
// 1. End of frame will reset the command pool (clearing this on a thread).
// There will still be references to the command pool from the uncompleted
// command buffers.
// 2. The last reference to the command pool will be released from the fence
// waiter thread, which will schedule a task on the resource
// manager thread, which in turn will reset the command pool and make it
// available for reuse ("recycle").
static thread_local std::unique_ptr<CommandPoolMap> tls_command_pool_map;
// Map each context to a list of all thread-local command pools associated
// with that context.
static Mutex g_all_pools_map_mutex;
static std::unordered_map<
const ContextVK*,
std::vector<std::weak_ptr<CommandPoolVK>>> g_all_pools_map
IPLR_GUARDED_BY(g_all_pools_map_mutex);
// TODO(matanlurey): Return a status_or<> instead of nullptr when we have one.
std::shared_ptr<CommandPoolVK> CommandPoolRecyclerVK::Get() {
auto const strong_context = context_.lock();
if (!strong_context) {
return nullptr;
}
// If there is a resource in used for this thread and context, return it.
if (!tls_command_pool_map.get()) {
tls_command_pool_map.reset(new CommandPoolMap());
}
CommandPoolMap& pool_map = *tls_command_pool_map.get();
auto const hash = strong_context->GetHash();
auto const it = pool_map.find(hash);
if (it != pool_map.end()) {
return it->second;
}
// Otherwise, create a new resource and return it.
auto data = Create();
if (!data || !data->pool) {
return nullptr;
}
auto const resource = std::make_shared<CommandPoolVK>(
std::move(data->pool), std::move(data->buffers), context_);
pool_map.emplace(hash, resource);
{
Lock all_pools_lock(g_all_pools_map_mutex);
g_all_pools_map[strong_context.get()].push_back(resource);
}
return resource;
}
// TODO(matanlurey): Return a status_or<> instead of nullopt when we have one.
std::optional<CommandPoolRecyclerVK::RecycledData>
CommandPoolRecyclerVK::Create() {
// If we can reuse a command pool and its buffers, do so.
if (auto data = Reuse()) {
return data;
}
// Otherwise, create a new one.
auto context = context_.lock();
if (!context) {
return std::nullopt;
}
vk::CommandPoolCreateInfo info;
info.setQueueFamilyIndex(context->GetGraphicsQueue()->GetIndex().family);
info.setFlags(vk::CommandPoolCreateFlagBits::eTransient);
auto device = context->GetDevice();
auto [result, pool] = device.createCommandPoolUnique(info);
if (result != vk::Result::eSuccess) {
return std::nullopt;
}
return CommandPoolRecyclerVK::RecycledData{.pool = std::move(pool),
.buffers = {}};
}
std::optional<CommandPoolRecyclerVK::RecycledData>
CommandPoolRecyclerVK::Reuse() {
// If there are no recycled pools, return nullopt.
Lock recycled_lock(recycled_mutex_);
if (recycled_.empty()) {
return std::nullopt;
}
// Otherwise, remove and return a recycled pool.
auto data = std::move(recycled_.back());
recycled_.pop_back();
return std::move(data);
}
void CommandPoolRecyclerVK::Reclaim(
vk::UniqueCommandPool&& pool,
std::vector<vk::UniqueCommandBuffer>&& buffers) {
// Reset the pool on a background thread.
auto strong_context = context_.lock();
if (!strong_context) {
return;
}
auto device = strong_context->GetDevice();
device.resetCommandPool(pool.get());
// Move the pool to the recycled list.
Lock recycled_lock(recycled_mutex_);
recycled_.push_back(
RecycledData{.pool = std::move(pool), .buffers = std::move(buffers)});
}
CommandPoolRecyclerVK::~CommandPoolRecyclerVK() {
// Ensure all recycled pools are reclaimed before this is destroyed.
Dispose();
}
void CommandPoolRecyclerVK::Dispose() {
CommandPoolMap* pool_map = tls_command_pool_map.get();
if (pool_map) {
pool_map->clear();
}
}
void CommandPoolRecyclerVK::DestroyThreadLocalPools(const ContextVK* context) {
// Delete the context's entry in this thread's command pool map.
if (tls_command_pool_map.get()) {
tls_command_pool_map.get()->erase(context->GetHash());
}
// Destroy all other thread-local CommandPoolVK instances associated with
// this context.
Lock all_pools_lock(g_all_pools_map_mutex);
auto found = g_all_pools_map.find(context);
if (found != g_all_pools_map.end()) {
for (auto& weak_pool : found->second) {
auto pool = weak_pool.lock();
if (!pool) {
continue;
}
// Delete all objects held by this pool. The destroyed pool will still
// remain in its thread's TLS map until that thread exits.
pool->Destroy();
}
g_all_pools_map.erase(found);
}
}
} // namespace impeller
| engine/impeller/renderer/backend/vulkan/command_pool_vk.cc/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/command_pool_vk.cc",
"repo_id": "engine",
"token_count": 3364
} | 249 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/testing/testing.h" // IWYU pragma: keep.
#include "fml/synchronization/waitable_event.h"
#include "impeller/renderer/backend/vulkan/descriptor_pool_vk.h"
#include "impeller/renderer/backend/vulkan/resource_manager_vk.h"
#include "impeller/renderer/backend/vulkan/test/mock_vulkan.h"
namespace impeller {
namespace testing {
TEST(DescriptorPoolRecyclerVKTest, GetDescriptorPoolRecyclerCreatesNewPools) {
auto const context = MockVulkanContextBuilder().Build();
auto const pool1 = context->GetDescriptorPoolRecycler()->Get();
auto const pool2 = context->GetDescriptorPoolRecycler()->Get();
// The two descriptor pools should be different.
EXPECT_NE(pool1.get(), pool2.get());
context->Shutdown();
}
namespace {
// Invokes the provided callback when the destructor is called.
//
// Can be moved, but not copied.
class DeathRattle final {
public:
explicit DeathRattle(std::function<void()> callback)
: callback_(std::move(callback)) {}
DeathRattle(DeathRattle&&) = default;
DeathRattle& operator=(DeathRattle&&) = default;
~DeathRattle() { callback_(); }
private:
std::function<void()> callback_;
};
} // namespace
TEST(DescriptorPoolRecyclerVKTest, ReclaimMakesDescriptorPoolAvailable) {
auto const context = MockVulkanContextBuilder().Build();
{
// Fetch a pool (which will be created).
auto pool = DescriptorPoolVK(context);
pool.AllocateDescriptorSets({}, *context);
}
// There is a chance that the first death rattle item below is destroyed in
// the same reclaim cycle as the pool allocation above. These items are placed
// into a std::vector and free'd, which may free in reverse order. That would
// imply that the death rattle and subsequent waitable event fires before the
// pool is reset. To work around this, we can either manually remove items
// from the vector or use two death rattles.
for (auto i = 0u; i < 2; i++) {
// Add something to the resource manager and have it notify us when it's
// destroyed. That should give us a non-flaky signal that the pool has been
// reclaimed as well.
auto waiter = fml::AutoResetWaitableEvent();
auto rattle = DeathRattle([&waiter]() { waiter.Signal(); });
{
UniqueResourceVKT<DeathRattle> resource(context->GetResourceManager(),
std::move(rattle));
}
waiter.Wait();
}
auto const pool = context->GetDescriptorPoolRecycler()->Get();
// Now check that we only ever created one pool.
auto const called = GetMockVulkanFunctions(context->GetDevice());
EXPECT_EQ(
std::count(called->begin(), called->end(), "vkCreateDescriptorPool"), 1u);
context->Shutdown();
}
TEST(DescriptorPoolRecyclerVKTest, ReclaimDropsDescriptorPoolIfSizeIsExceeded) {
auto const context = MockVulkanContextBuilder().Build();
// Create 33 pools
{
std::vector<std::unique_ptr<DescriptorPoolVK>> pools;
for (auto i = 0u; i < 33; i++) {
auto pool = std::make_unique<DescriptorPoolVK>(context);
pool->AllocateDescriptorSets({}, *context);
pools.push_back(std::move(pool));
}
}
// See note above.
for (auto i = 0u; i < 2; i++) {
auto waiter = fml::AutoResetWaitableEvent();
auto rattle = DeathRattle([&waiter]() { waiter.Signal(); });
{
UniqueResourceVKT<DeathRattle> resource(context->GetResourceManager(),
std::move(rattle));
}
waiter.Wait();
}
auto const called = GetMockVulkanFunctions(context->GetDevice());
EXPECT_EQ(
std::count(called->begin(), called->end(), "vkCreateDescriptorPool"),
33u);
EXPECT_EQ(std::count(called->begin(), called->end(), "vkResetDescriptorPool"),
33u);
// Now create 33 more descriptor pools and observe that only one more is
// allocated.
{
std::vector<std::unique_ptr<DescriptorPoolVK>> pools;
for (auto i = 0u; i < 33; i++) {
auto pool = std::make_unique<DescriptorPoolVK>(context);
pool->AllocateDescriptorSets({}, *context);
pools.push_back(std::move(pool));
}
}
for (auto i = 0u; i < 2; i++) {
auto waiter = fml::AutoResetWaitableEvent();
auto rattle = DeathRattle([&waiter]() { waiter.Signal(); });
{
UniqueResourceVKT<DeathRattle> resource(context->GetResourceManager(),
std::move(rattle));
}
waiter.Wait();
}
auto const called_twice = GetMockVulkanFunctions(context->GetDevice());
// 32 of the descriptor pools were recycled, so only one more is created.
EXPECT_EQ(
std::count(called->begin(), called->end(), "vkCreateDescriptorPool"),
34u);
context->Shutdown();
}
} // namespace testing
} // namespace impeller
| engine/impeller/renderer/backend/vulkan/descriptor_pool_vk_unittests.cc/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/descriptor_pool_vk_unittests.cc",
"repo_id": "engine",
"token_count": 1770
} | 250 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_PIPELINE_CACHE_VK_H_
#define FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_PIPELINE_CACHE_VK_H_
#include "flutter/fml/file.h"
#include "flutter/fml/macros.h"
#include "impeller/renderer/backend/vulkan/capabilities_vk.h"
#include "impeller/renderer/backend/vulkan/device_holder_vk.h"
namespace impeller {
class PipelineCacheVK {
public:
// The [device] is passed in directly so that it can be used in the
// constructor directly. The [device_holder] isn't guaranteed to be valid
// at the time of executing `PipelineCacheVK` because of how `ContextVK` does
// initialization.
explicit PipelineCacheVK(std::shared_ptr<const Capabilities> caps,
std::shared_ptr<DeviceHolderVK> device_holder,
fml::UniqueFD cache_directory);
~PipelineCacheVK();
bool IsValid() const;
vk::UniquePipeline CreatePipeline(const vk::GraphicsPipelineCreateInfo& info);
vk::UniquePipeline CreatePipeline(const vk::ComputePipelineCreateInfo& info);
const CapabilitiesVK* GetCapabilities() const;
void PersistCacheToDisk() const;
private:
const std::shared_ptr<const Capabilities> caps_;
std::weak_ptr<DeviceHolderVK> device_holder_;
const fml::UniqueFD cache_directory_;
vk::UniquePipelineCache cache_;
bool is_valid_ = false;
std::shared_ptr<fml::Mapping> CopyPipelineCacheData() const;
PipelineCacheVK(const PipelineCacheVK&) = delete;
PipelineCacheVK& operator=(const PipelineCacheVK&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_PIPELINE_CACHE_VK_H_
| engine/impeller/renderer/backend/vulkan/pipeline_cache_vk.h/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/pipeline_cache_vk.h",
"repo_id": "engine",
"token_count": 652
} | 251 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_SAMPLER_LIBRARY_VK_H_
#define FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_SAMPLER_LIBRARY_VK_H_
#include "impeller/base/backend_cast.h"
#include "impeller/core/sampler_descriptor.h"
#include "impeller/renderer/backend/vulkan/device_holder_vk.h"
#include "impeller/renderer/sampler_library.h"
namespace impeller {
class SamplerLibraryVK final
: public SamplerLibrary,
public BackendCast<SamplerLibraryVK, SamplerLibrary> {
public:
// |SamplerLibrary|
~SamplerLibraryVK() override;
private:
friend class ContextVK;
std::weak_ptr<DeviceHolderVK> device_holder_;
SamplerMap samplers_;
explicit SamplerLibraryVK(const std::weak_ptr<DeviceHolderVK>& device_holder);
// |SamplerLibrary|
const std::unique_ptr<const Sampler>& GetSampler(
SamplerDescriptor descriptor) override;
SamplerLibraryVK(const SamplerLibraryVK&) = delete;
SamplerLibraryVK& operator=(const SamplerLibraryVK&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_SAMPLER_LIBRARY_VK_H_
| engine/impeller/renderer/backend/vulkan/sampler_library_vk.h/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/sampler_library_vk.h",
"repo_id": "engine",
"token_count": 456
} | 252 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_SWAPCHAIN_KHR_KHR_SWAPCHAIN_IMAGE_VK_H_
#define FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_SWAPCHAIN_KHR_KHR_SWAPCHAIN_IMAGE_VK_H_
#include "impeller/geometry/size.h"
#include "impeller/renderer/backend/vulkan/formats_vk.h"
#include "impeller/renderer/backend/vulkan/texture_source_vk.h"
#include "impeller/renderer/backend/vulkan/vk.h"
#include "vulkan/vulkan_handles.hpp"
namespace impeller {
class KHRSwapchainImageVK final : public TextureSourceVK {
public:
KHRSwapchainImageVK(TextureDescriptor desc,
const vk::Device& device,
vk::Image image);
// |TextureSourceVK|
~KHRSwapchainImageVK() override;
bool IsValid() const;
PixelFormat GetPixelFormat() const;
ISize GetSize() const;
// |TextureSourceVK|
vk::Image GetImage() const override;
std::shared_ptr<Texture> GetMSAATexture() const;
std::shared_ptr<Texture> GetDepthStencilTexture() const;
// |TextureSourceVK|
vk::ImageView GetImageView() const override;
vk::ImageView GetRenderTargetView() const override;
void SetMSAATexture(std::shared_ptr<Texture> texture);
void SetDepthStencilTexture(std::shared_ptr<Texture> texture);
bool IsSwapchainImage() const override { return true; }
private:
vk::Image image_ = VK_NULL_HANDLE;
vk::UniqueImageView image_view_ = {};
std::shared_ptr<Texture> msaa_texture_;
std::shared_ptr<Texture> depth_stencil_texture_;
bool is_valid_ = false;
KHRSwapchainImageVK(const KHRSwapchainImageVK&) = delete;
KHRSwapchainImageVK& operator=(const KHRSwapchainImageVK&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_RENDERER_BACKEND_VULKAN_SWAPCHAIN_KHR_KHR_SWAPCHAIN_IMAGE_VK_H_
| engine/impeller/renderer/backend/vulkan/swapchain/khr/khr_swapchain_image_vk.h/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/swapchain/khr/khr_swapchain_image_vk.h",
"repo_id": "engine",
"token_count": 734
} | 253 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/renderer/backend/vulkan/vertex_descriptor_vk.h"
#include <cstdint>
namespace impeller {
vk::Format ToVertexDescriptorFormat(const ShaderStageIOSlot& input) {
if (input.columns != 1) {
// All matrix types are unsupported as vertex inputs.
return vk::Format::eUndefined;
}
switch (input.type) {
case ShaderType::kFloat: {
if (input.bit_width == 8 * sizeof(float)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR32Sfloat;
case 2:
return vk::Format::eR32G32Sfloat;
case 3:
return vk::Format::eR32G32B32Sfloat;
case 4:
return vk::Format::eR32G32B32A32Sfloat;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kHalfFloat: {
if (input.bit_width == 8 * sizeof(float) / 2) {
switch (input.vec_size) {
case 1:
return vk::Format::eR16Sfloat;
case 2:
return vk::Format::eR16G16Sfloat;
case 3:
return vk::Format::eR16G16B16Sfloat;
case 4:
return vk::Format::eR16G16B16A16Sfloat;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kDouble: {
// Unsupported.
return vk::Format::eUndefined;
}
case ShaderType::kBoolean: {
if (input.bit_width == 8 * sizeof(bool) && input.vec_size == 1) {
return vk::Format::eR8Uint;
}
return vk::Format::eUndefined;
}
case ShaderType::kSignedByte: {
if (input.bit_width == 8 * sizeof(char)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR8Sint;
case 2:
return vk::Format::eR8G8Sint;
case 3:
return vk::Format::eR8G8B8Sint;
case 4:
return vk::Format::eR8G8B8A8Sint;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kUnsignedByte: {
if (input.bit_width == 8 * sizeof(char)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR8Uint;
case 2:
return vk::Format::eR8G8Uint;
case 3:
return vk::Format::eR8G8B8Uint;
case 4:
return vk::Format::eR8G8B8A8Uint;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kSignedShort: {
if (input.bit_width == 8 * sizeof(int16_t)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR16Sint;
case 2:
return vk::Format::eR16G16Sint;
case 3:
return vk::Format::eR16G16B16Sint;
case 4:
return vk::Format::eR16G16B16A16Sint;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kUnsignedShort: {
if (input.bit_width == 8 * sizeof(uint16_t)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR16Uint;
case 2:
return vk::Format::eR16G16Uint;
case 3:
return vk::Format::eR16G16B16Uint;
case 4:
return vk::Format::eR16G16B16A16Uint;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kSignedInt: {
if (input.bit_width == 8 * sizeof(int32_t)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR32Sint;
case 2:
return vk::Format::eR32G32Sint;
case 3:
return vk::Format::eR32G32B32Sint;
case 4:
return vk::Format::eR32G32B32A32Sint;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kUnsignedInt: {
if (input.bit_width == 8 * sizeof(uint32_t)) {
switch (input.vec_size) {
case 1:
return vk::Format::eR32Uint;
case 2:
return vk::Format::eR32G32Uint;
case 3:
return vk::Format::eR32G32B32Uint;
case 4:
return vk::Format::eR32G32B32A32Uint;
}
}
return vk::Format::eUndefined;
}
case ShaderType::kSignedInt64: {
// Unsupported.
return vk::Format::eUndefined;
}
case ShaderType::kUnsignedInt64: {
// Unsupported.
return vk::Format::eUndefined;
}
case ShaderType::kAtomicCounter:
case ShaderType::kStruct:
case ShaderType::kImage:
case ShaderType::kSampledImage:
case ShaderType::kUnknown:
case ShaderType::kVoid:
case ShaderType::kSampler:
return vk::Format::eUndefined;
}
}
} // namespace impeller
| engine/impeller/renderer/backend/vulkan/vertex_descriptor_vk.cc/0 | {
"file_path": "engine/impeller/renderer/backend/vulkan/vertex_descriptor_vk.cc",
"repo_id": "engine",
"token_count": 2525
} | 254 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/testing/testing.h"
#include "impeller/renderer/capabilities.h"
#include "gtest/gtest.h"
namespace impeller {
namespace testing {
#define CAPABILITY_TEST(name, default_value) \
TEST(CapabilitiesTest, name) { \
auto defaults = CapabilitiesBuilder().Build(); \
ASSERT_EQ(defaults->name(), default_value); \
auto opposite = CapabilitiesBuilder().Set##name(!default_value).Build(); \
ASSERT_EQ(opposite->name(), !default_value); \
}
CAPABILITY_TEST(SupportsOffscreenMSAA, false);
CAPABILITY_TEST(SupportsSSBO, false);
CAPABILITY_TEST(SupportsBufferToTextureBlits, false);
CAPABILITY_TEST(SupportsTextureToTextureBlits, false);
CAPABILITY_TEST(SupportsFramebufferFetch, false);
CAPABILITY_TEST(SupportsCompute, false);
CAPABILITY_TEST(SupportsComputeSubgroups, false);
CAPABILITY_TEST(SupportsReadFromResolve, false);
CAPABILITY_TEST(SupportsDecalSamplerAddressMode, false);
CAPABILITY_TEST(SupportsDeviceTransientTextures, false);
TEST(CapabilitiesTest, DefaultColorFormat) {
auto defaults = CapabilitiesBuilder().Build();
EXPECT_EQ(defaults->GetDefaultColorFormat(), PixelFormat::kUnknown);
auto mutated = CapabilitiesBuilder()
.SetDefaultColorFormat(PixelFormat::kB10G10R10A10XR)
.Build();
EXPECT_EQ(mutated->GetDefaultColorFormat(), PixelFormat::kB10G10R10A10XR);
}
TEST(CapabilitiesTest, DefaultStencilFormat) {
auto defaults = CapabilitiesBuilder().Build();
EXPECT_EQ(defaults->GetDefaultStencilFormat(), PixelFormat::kUnknown);
auto mutated = CapabilitiesBuilder()
.SetDefaultStencilFormat(PixelFormat::kS8UInt)
.Build();
EXPECT_EQ(mutated->GetDefaultStencilFormat(), PixelFormat::kS8UInt);
}
TEST(CapabilitiesTest, DefaultDepthStencilFormat) {
auto defaults = CapabilitiesBuilder().Build();
EXPECT_EQ(defaults->GetDefaultDepthStencilFormat(), PixelFormat::kUnknown);
auto mutated = CapabilitiesBuilder()
.SetDefaultDepthStencilFormat(PixelFormat::kD32FloatS8UInt)
.Build();
EXPECT_EQ(mutated->GetDefaultDepthStencilFormat(),
PixelFormat::kD32FloatS8UInt);
}
TEST(CapabilitiesTest, DefaultGlyphAtlasFormat) {
auto defaults = CapabilitiesBuilder().Build();
EXPECT_EQ(defaults->GetDefaultGlyphAtlasFormat(), PixelFormat::kUnknown);
auto mutated = CapabilitiesBuilder()
.SetDefaultGlyphAtlasFormat(PixelFormat::kA8UNormInt)
.Build();
EXPECT_EQ(mutated->GetDefaultGlyphAtlasFormat(), PixelFormat::kA8UNormInt);
}
} // namespace testing
} // namespace impeller
| engine/impeller/renderer/capabilities_unittests.cc/0 | {
"file_path": "engine/impeller/renderer/capabilities_unittests.cc",
"repo_id": "engine",
"token_count": 1189
} | 255 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/fml/synchronization/waitable_event.h"
#include "flutter/testing/testing.h"
#include "gmock/gmock.h"
#include "impeller/core/host_buffer.h"
#include "impeller/fixtures/sample.comp.h"
#include "impeller/fixtures/stage1.comp.h"
#include "impeller/fixtures/stage2.comp.h"
#include "impeller/playground/compute_playground_test.h"
#include "impeller/renderer/command_buffer.h"
#include "impeller/renderer/compute_pipeline_builder.h"
#include "impeller/renderer/pipeline_library.h"
#include "impeller/renderer/prefix_sum_test.comp.h"
#include "impeller/renderer/threadgroup_sizing_test.comp.h"
namespace impeller {
namespace testing {
using ComputeTest = ComputePlaygroundTest;
INSTANTIATE_COMPUTE_SUITE(ComputeTest);
TEST_P(ComputeTest, CapabilitiesReportSupport) {
auto context = GetContext();
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
}
TEST_P(ComputeTest, CanCreateComputePass) {
using CS = SampleComputeShader;
auto context = GetContext();
auto host_buffer = HostBuffer::Create(context->GetResourceAllocator());
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
using SamplePipelineBuilder = ComputePipelineBuilder<CS>;
auto pipeline_desc =
SamplePipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc.has_value());
auto compute_pipeline =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc).Get();
ASSERT_TRUE(compute_pipeline);
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
ASSERT_TRUE(pass && pass->IsValid());
static constexpr size_t kCount = 5;
pass->SetPipeline(compute_pipeline);
CS::Info info{.count = kCount};
CS::Input0<kCount> input_0;
CS::Input1<kCount> input_1;
for (size_t i = 0; i < kCount; i++) {
input_0.elements[i] = Vector4(2.0 + i, 3.0 + i, 4.0 + i, 5.0 * i);
input_1.elements[i] = Vector4(6.0, 7.0, 8.0, 9.0);
}
input_0.fixed_array[1] = IPoint32(2, 2);
input_1.fixed_array[0] = UintPoint32(3, 3);
input_0.some_int = 5;
input_1.some_struct = CS::SomeStruct{.vf = Point(3, 4), .i = 42};
auto output_buffer = CreateHostVisibleDeviceBuffer<CS::Output<kCount>>(
context, "Output Buffer");
CS::BindInfo(*pass, host_buffer->EmplaceUniform(info));
CS::BindInput0(*pass, host_buffer->EmplaceStorageBuffer(input_0));
CS::BindInput1(*pass, host_buffer->EmplaceStorageBuffer(input_1));
CS::BindOutput(*pass, DeviceBuffer::AsBufferView(output_buffer));
ASSERT_TRUE(pass->Compute(ISize(kCount, 1)).ok());
ASSERT_TRUE(pass->EncodeCommands());
fml::AutoResetWaitableEvent latch;
ASSERT_TRUE(
context->GetCommandQueue()
->Submit(
{cmd_buffer},
[&latch, output_buffer, &input_0,
&input_1](CommandBuffer::Status status) {
EXPECT_EQ(status, CommandBuffer::Status::kCompleted);
auto view = DeviceBuffer::AsBufferView(output_buffer);
EXPECT_EQ(view.range.length, sizeof(CS::Output<kCount>));
CS::Output<kCount>* output =
reinterpret_cast<CS::Output<kCount>*>(
output_buffer->OnGetContents());
EXPECT_TRUE(output);
for (size_t i = 0; i < kCount; i++) {
Vector4 vector = output->elements[i];
Vector4 computed = input_0.elements[i] * input_1.elements[i];
EXPECT_EQ(vector,
Vector4(computed.x + 2 + input_1.some_struct.i,
computed.y + 3 + input_1.some_struct.vf.x,
computed.z + 5 + input_1.some_struct.vf.y,
computed.w));
}
latch.Signal();
})
.ok());
latch.Wait();
}
TEST_P(ComputeTest, CanComputePrefixSum) {
using CS = PrefixSumTestComputeShader;
auto context = GetContext();
auto host_buffer = HostBuffer::Create(context->GetResourceAllocator());
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
using SamplePipelineBuilder = ComputePipelineBuilder<CS>;
auto pipeline_desc =
SamplePipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc.has_value());
auto compute_pipeline =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc).Get();
ASSERT_TRUE(compute_pipeline);
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
ASSERT_TRUE(pass && pass->IsValid());
static constexpr size_t kCount = 5;
pass->SetPipeline(compute_pipeline);
CS::InputData<kCount> input_data;
input_data.count = kCount;
for (size_t i = 0; i < kCount; i++) {
input_data.data[i] = 1 + i;
}
auto output_buffer = CreateHostVisibleDeviceBuffer<CS::OutputData<kCount>>(
context, "Output Buffer");
CS::BindInputData(*pass, host_buffer->EmplaceStorageBuffer(input_data));
CS::BindOutputData(*pass, DeviceBuffer::AsBufferView(output_buffer));
ASSERT_TRUE(pass->Compute(ISize(kCount, 1)).ok());
ASSERT_TRUE(pass->EncodeCommands());
fml::AutoResetWaitableEvent latch;
ASSERT_TRUE(
context->GetCommandQueue()
->Submit({cmd_buffer},
[&latch, output_buffer](CommandBuffer::Status status) {
EXPECT_EQ(status, CommandBuffer::Status::kCompleted);
auto view = DeviceBuffer::AsBufferView(output_buffer);
EXPECT_EQ(view.range.length,
sizeof(CS::OutputData<kCount>));
CS::OutputData<kCount>* output =
reinterpret_cast<CS::OutputData<kCount>*>(
output_buffer->OnGetContents());
EXPECT_TRUE(output);
constexpr uint32_t expected[kCount] = {1, 3, 6, 10, 15};
for (size_t i = 0; i < kCount; i++) {
auto computed_sum = output->data[i];
EXPECT_EQ(computed_sum, expected[i]);
}
latch.Signal();
})
.ok());
latch.Wait();
}
TEST_P(ComputeTest, 1DThreadgroupSizingIsCorrect) {
using CS = ThreadgroupSizingTestComputeShader;
auto context = GetContext();
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
using SamplePipelineBuilder = ComputePipelineBuilder<CS>;
auto pipeline_desc =
SamplePipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc.has_value());
auto compute_pipeline =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc).Get();
ASSERT_TRUE(compute_pipeline);
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
ASSERT_TRUE(pass && pass->IsValid());
static constexpr size_t kCount = 2048;
pass->SetPipeline(compute_pipeline);
auto output_buffer = CreateHostVisibleDeviceBuffer<CS::OutputData<kCount>>(
context, "Output Buffer");
CS::BindOutputData(*pass, DeviceBuffer::AsBufferView(output_buffer));
ASSERT_TRUE(pass->Compute(ISize(kCount, 1)).ok());
ASSERT_TRUE(pass->EncodeCommands());
fml::AutoResetWaitableEvent latch;
ASSERT_TRUE(
context->GetCommandQueue()
->Submit({cmd_buffer},
[&latch, output_buffer](CommandBuffer::Status status) {
EXPECT_EQ(status, CommandBuffer::Status::kCompleted);
auto view = DeviceBuffer::AsBufferView(output_buffer);
EXPECT_EQ(view.range.length,
sizeof(CS::OutputData<kCount>));
CS::OutputData<kCount>* output =
reinterpret_cast<CS::OutputData<kCount>*>(
output_buffer->OnGetContents());
EXPECT_TRUE(output);
EXPECT_EQ(output->data[kCount - 1], kCount - 1);
latch.Signal();
})
.ok());
latch.Wait();
}
TEST_P(ComputeTest, CanComputePrefixSumLargeInteractive) {
using CS = PrefixSumTestComputeShader;
auto context = GetContext();
auto host_buffer = HostBuffer::Create(context->GetResourceAllocator());
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
auto callback = [&](RenderPass& render_pass) -> bool {
using SamplePipelineBuilder = ComputePipelineBuilder<CS>;
auto pipeline_desc =
SamplePipelineBuilder::MakeDefaultPipelineDescriptor(*context);
auto compute_pipeline =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc).Get();
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
static constexpr size_t kCount = 1023;
pass->SetPipeline(compute_pipeline);
CS::InputData<kCount> input_data;
input_data.count = kCount;
for (size_t i = 0; i < kCount; i++) {
input_data.data[i] = 1 + i;
}
auto output_buffer = CreateHostVisibleDeviceBuffer<CS::OutputData<kCount>>(
context, "Output Buffer");
CS::BindInputData(*pass, host_buffer->EmplaceStorageBuffer(input_data));
CS::BindOutputData(*pass, DeviceBuffer::AsBufferView(output_buffer));
pass->Compute(ISize(kCount, 1));
pass->EncodeCommands();
host_buffer->Reset();
return context->GetCommandQueue()->Submit({cmd_buffer}).ok();
};
ASSERT_TRUE(OpenPlaygroundHere(callback));
}
TEST_P(ComputeTest, MultiStageInputAndOutput) {
using CS1 = Stage1ComputeShader;
using Stage1PipelineBuilder = ComputePipelineBuilder<CS1>;
using CS2 = Stage2ComputeShader;
using Stage2PipelineBuilder = ComputePipelineBuilder<CS2>;
auto context = GetContext();
auto host_buffer = HostBuffer::Create(context->GetResourceAllocator());
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
auto pipeline_desc_1 =
Stage1PipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc_1.has_value());
auto compute_pipeline_1 =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc_1).Get();
ASSERT_TRUE(compute_pipeline_1);
auto pipeline_desc_2 =
Stage2PipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc_2.has_value());
auto compute_pipeline_2 =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc_2).Get();
ASSERT_TRUE(compute_pipeline_2);
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
ASSERT_TRUE(pass && pass->IsValid());
static constexpr size_t kCount1 = 5;
static constexpr size_t kCount2 = kCount1 * 2;
CS1::Input<kCount1> input_1;
input_1.count = kCount1;
for (size_t i = 0; i < kCount1; i++) {
input_1.elements[i] = i;
}
CS2::Input<kCount2> input_2;
input_2.count = kCount2;
for (size_t i = 0; i < kCount2; i++) {
input_2.elements[i] = i;
}
auto output_buffer_1 = CreateHostVisibleDeviceBuffer<CS1::Output<kCount2>>(
context, "Output Buffer Stage 1");
auto output_buffer_2 = CreateHostVisibleDeviceBuffer<CS2::Output<kCount2>>(
context, "Output Buffer Stage 2");
{
pass->SetPipeline(compute_pipeline_1);
CS1::BindInput(*pass, host_buffer->EmplaceStorageBuffer(input_1));
CS1::BindOutput(*pass, DeviceBuffer::AsBufferView(output_buffer_1));
ASSERT_TRUE(pass->Compute(ISize(512, 1)).ok());
pass->AddBufferMemoryBarrier();
}
{
pass->SetPipeline(compute_pipeline_2);
CS1::BindInput(*pass, DeviceBuffer::AsBufferView(output_buffer_1));
CS2::BindOutput(*pass, DeviceBuffer::AsBufferView(output_buffer_2));
ASSERT_TRUE(pass->Compute(ISize(512, 1)).ok());
}
ASSERT_TRUE(pass->EncodeCommands());
fml::AutoResetWaitableEvent latch;
ASSERT_TRUE(
context->GetCommandQueue()
->Submit({cmd_buffer},
[&latch, &output_buffer_1,
&output_buffer_2](CommandBuffer::Status status) {
EXPECT_EQ(status, CommandBuffer::Status::kCompleted);
CS1::Output<kCount2>* output_1 =
reinterpret_cast<CS1::Output<kCount2>*>(
output_buffer_1->OnGetContents());
EXPECT_TRUE(output_1);
EXPECT_EQ(output_1->count, 10u);
EXPECT_THAT(
output_1->elements,
::testing::ElementsAre(0, 0, 2, 3, 4, 6, 6, 9, 8, 12));
CS2::Output<kCount2>* output_2 =
reinterpret_cast<CS2::Output<kCount2>*>(
output_buffer_2->OnGetContents());
EXPECT_TRUE(output_2);
EXPECT_EQ(output_2->count, 10u);
EXPECT_THAT(output_2->elements,
::testing::ElementsAre(0, 0, 4, 6, 8, 12, 12,
18, 16, 24));
latch.Signal();
})
.ok());
latch.Wait();
}
TEST_P(ComputeTest, CanCompute1DimensionalData) {
using CS = SampleComputeShader;
auto context = GetContext();
auto host_buffer = HostBuffer::Create(context->GetResourceAllocator());
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
using SamplePipelineBuilder = ComputePipelineBuilder<CS>;
auto pipeline_desc =
SamplePipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc.has_value());
auto compute_pipeline =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc).Get();
ASSERT_TRUE(compute_pipeline);
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
ASSERT_TRUE(pass && pass->IsValid());
static constexpr size_t kCount = 5;
pass->SetPipeline(compute_pipeline);
CS::Info info{.count = kCount};
CS::Input0<kCount> input_0;
CS::Input1<kCount> input_1;
for (size_t i = 0; i < kCount; i++) {
input_0.elements[i] = Vector4(2.0 + i, 3.0 + i, 4.0 + i, 5.0 * i);
input_1.elements[i] = Vector4(6.0, 7.0, 8.0, 9.0);
}
input_0.fixed_array[1] = IPoint32(2, 2);
input_1.fixed_array[0] = UintPoint32(3, 3);
input_0.some_int = 5;
input_1.some_struct = CS::SomeStruct{.vf = Point(3, 4), .i = 42};
auto output_buffer = CreateHostVisibleDeviceBuffer<CS::Output<kCount>>(
context, "Output Buffer");
CS::BindInfo(*pass, host_buffer->EmplaceUniform(info));
CS::BindInput0(*pass, host_buffer->EmplaceStorageBuffer(input_0));
CS::BindInput1(*pass, host_buffer->EmplaceStorageBuffer(input_1));
CS::BindOutput(*pass, DeviceBuffer::AsBufferView(output_buffer));
ASSERT_TRUE(pass->Compute(ISize(kCount, 1)).ok());
ASSERT_TRUE(pass->EncodeCommands());
fml::AutoResetWaitableEvent latch;
ASSERT_TRUE(
context->GetCommandQueue()
->Submit(
{cmd_buffer},
[&latch, output_buffer, &input_0,
&input_1](CommandBuffer::Status status) {
EXPECT_EQ(status, CommandBuffer::Status::kCompleted);
auto view = DeviceBuffer::AsBufferView(output_buffer);
EXPECT_EQ(view.range.length, sizeof(CS::Output<kCount>));
CS::Output<kCount>* output =
reinterpret_cast<CS::Output<kCount>*>(
output_buffer->OnGetContents());
EXPECT_TRUE(output);
for (size_t i = 0; i < kCount; i++) {
Vector4 vector = output->elements[i];
Vector4 computed = input_0.elements[i] * input_1.elements[i];
EXPECT_EQ(vector,
Vector4(computed.x + 2 + input_1.some_struct.i,
computed.y + 3 + input_1.some_struct.vf.x,
computed.z + 5 + input_1.some_struct.vf.y,
computed.w));
}
latch.Signal();
})
.ok());
latch.Wait();
}
TEST_P(ComputeTest, ReturnsEarlyWhenAnyGridDimensionIsZero) {
using CS = SampleComputeShader;
auto context = GetContext();
auto host_buffer = HostBuffer::Create(context->GetResourceAllocator());
ASSERT_TRUE(context);
ASSERT_TRUE(context->GetCapabilities()->SupportsCompute());
using SamplePipelineBuilder = ComputePipelineBuilder<CS>;
auto pipeline_desc =
SamplePipelineBuilder::MakeDefaultPipelineDescriptor(*context);
ASSERT_TRUE(pipeline_desc.has_value());
auto compute_pipeline =
context->GetPipelineLibrary()->GetPipeline(pipeline_desc).Get();
ASSERT_TRUE(compute_pipeline);
auto cmd_buffer = context->CreateCommandBuffer();
auto pass = cmd_buffer->CreateComputePass();
ASSERT_TRUE(pass && pass->IsValid());
static constexpr size_t kCount = 5;
pass->SetPipeline(compute_pipeline);
CS::Info info{.count = kCount};
CS::Input0<kCount> input_0;
CS::Input1<kCount> input_1;
for (size_t i = 0; i < kCount; i++) {
input_0.elements[i] = Vector4(2.0 + i, 3.0 + i, 4.0 + i, 5.0 * i);
input_1.elements[i] = Vector4(6.0, 7.0, 8.0, 9.0);
}
input_0.fixed_array[1] = IPoint32(2, 2);
input_1.fixed_array[0] = UintPoint32(3, 3);
input_0.some_int = 5;
input_1.some_struct = CS::SomeStruct{.vf = Point(3, 4), .i = 42};
auto output_buffer = CreateHostVisibleDeviceBuffer<CS::Output<kCount>>(
context, "Output Buffer");
CS::BindInfo(*pass, host_buffer->EmplaceUniform(info));
CS::BindInput0(*pass, host_buffer->EmplaceStorageBuffer(input_0));
CS::BindInput1(*pass, host_buffer->EmplaceStorageBuffer(input_1));
CS::BindOutput(*pass, DeviceBuffer::AsBufferView(output_buffer));
// Intentionally making the grid size zero in one dimension. No GPU will
// tolerate this.
EXPECT_FALSE(pass->Compute(ISize(0, 1)).ok());
pass->EncodeCommands();
}
} // namespace testing
} // namespace impeller
| engine/impeller/renderer/compute_unittests.cc/0 | {
"file_path": "engine/impeller/renderer/compute_unittests.cc",
"repo_id": "engine",
"token_count": 8003
} | 256 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
layout(local_size_x_id = 0) in;
layout(std430) buffer;
#include <impeller/prefix_sum.glsl>
#define BLOCK_SIZE 1024
layout(binding = 0) readonly buffer InputData {
uint count;
uint data[];
}
input_data;
layout(binding = 1) writeonly buffer OutputData {
uint data[];
}
output_data;
// Needs to be number of threads per threadgroup.
shared uint memory[BLOCK_SIZE];
void main() {
uint ident = gl_GlobalInvocationID.x;
uint value = 0;
if (ident < input_data.count) {
value = input_data.data[ident];
}
if (ident < BLOCK_SIZE) {
memory[ident] = value;
}
barrier();
ExclusivePrefixSum(ident, memory, BLOCK_SIZE);
if (ident < input_data.count) {
// Convert exclusive to inclusive sum.
output_data.data[ident] = memory[ident] + value;
}
}
| engine/impeller/renderer/prefix_sum_test.comp/0 | {
"file_path": "engine/impeller/renderer/prefix_sum_test.comp",
"repo_id": "engine",
"token_count": 324
} | 257 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_RENDERER_SHADER_LIBRARY_H_
#define FLUTTER_IMPELLER_RENDERER_SHADER_LIBRARY_H_
#include <future>
#include <memory>
#include <string_view>
#include "fml/mapping.h"
#include "impeller/core/shader_types.h"
namespace impeller {
class Context;
class ShaderFunction;
class ShaderLibrary : public std::enable_shared_from_this<ShaderLibrary> {
public:
virtual ~ShaderLibrary();
virtual bool IsValid() const = 0;
virtual std::shared_ptr<const ShaderFunction> GetFunction(
std::string_view name,
ShaderStage stage) = 0;
using RegistrationCallback = std::function<void(bool)>;
virtual void RegisterFunction(std::string name,
ShaderStage stage,
std::shared_ptr<fml::Mapping> code,
RegistrationCallback callback);
virtual void UnregisterFunction(std::string name, ShaderStage stage) = 0;
protected:
ShaderLibrary();
private:
ShaderLibrary(const ShaderLibrary&) = delete;
ShaderLibrary& operator=(const ShaderLibrary&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_RENDERER_SHADER_LIBRARY_H_
| engine/impeller/renderer/shader_library.h/0 | {
"file_path": "engine/impeller/renderer/shader_library.h",
"repo_id": "engine",
"token_count": 506
} | 258 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_SCENE_ANIMATION_PROPERTY_RESOLVER_H_
#define FLUTTER_IMPELLER_SCENE_ANIMATION_PROPERTY_RESOLVER_H_
#include <memory>
#include <string>
#include <vector>
#include "flutter/fml/hash_combine.h"
#include "flutter/fml/macros.h"
#include "impeller/base/timing.h"
#include "impeller/geometry/matrix_decomposition.h"
#include "impeller/geometry/quaternion.h"
#include "impeller/geometry/scalar.h"
#include "impeller/geometry/vector.h"
#include "impeller/scene/animation/animation_transforms.h"
namespace impeller {
namespace scene {
class Node;
class TranslationTimelineResolver;
class RotationTimelineResolver;
class ScaleTimelineResolver;
class PropertyResolver {
public:
static std::unique_ptr<TranslationTimelineResolver> MakeTranslationTimeline(
std::vector<Scalar> times,
std::vector<Vector3> values);
static std::unique_ptr<RotationTimelineResolver> MakeRotationTimeline(
std::vector<Scalar> times,
std::vector<Quaternion> values);
static std::unique_ptr<ScaleTimelineResolver> MakeScaleTimeline(
std::vector<Scalar> times,
std::vector<Vector3> values);
virtual ~PropertyResolver();
virtual SecondsF GetEndTime() = 0;
/// @brief Resolve and apply the property value to a target node. This
/// operation is additive; a given node property may be amended by
/// many different PropertyResolvers prior to rendering. For example,
/// an AnimationPlayer may blend multiple Animations together by
/// applying several AnimationClips.
virtual void Apply(AnimationTransforms& target,
SecondsF time,
Scalar weight) = 0;
};
class TimelineResolver : public PropertyResolver {
public:
virtual ~TimelineResolver();
// |Resolver|
SecondsF GetEndTime();
protected:
struct TimelineKey {
/// The index of the closest previous keyframe.
size_t index = 0;
/// Used to interpolate between the resolved values for `timeline_index - 1`
/// and `timeline_index`. The range of this value should always be `0>N>=1`.
Scalar lerp = 1;
};
TimelineKey GetTimelineKey(SecondsF time);
std::vector<Scalar> times_;
};
class TranslationTimelineResolver final : public TimelineResolver {
public:
~TranslationTimelineResolver();
// |Resolver|
void Apply(AnimationTransforms& target,
SecondsF time,
Scalar weight) override;
private:
TranslationTimelineResolver();
std::vector<Vector3> values_;
TranslationTimelineResolver(const TranslationTimelineResolver&) = delete;
TranslationTimelineResolver& operator=(const TranslationTimelineResolver&) =
delete;
friend PropertyResolver;
};
class RotationTimelineResolver final : public TimelineResolver {
public:
~RotationTimelineResolver();
// |Resolver|
void Apply(AnimationTransforms& target,
SecondsF time,
Scalar weight) override;
private:
RotationTimelineResolver();
std::vector<Quaternion> values_;
RotationTimelineResolver(const RotationTimelineResolver&) = delete;
RotationTimelineResolver& operator=(const RotationTimelineResolver&) = delete;
friend PropertyResolver;
};
class ScaleTimelineResolver final : public TimelineResolver {
public:
~ScaleTimelineResolver();
// |Resolver|
void Apply(AnimationTransforms& target,
SecondsF time,
Scalar weight) override;
private:
ScaleTimelineResolver();
std::vector<Vector3> values_;
ScaleTimelineResolver(const ScaleTimelineResolver&) = delete;
ScaleTimelineResolver& operator=(const ScaleTimelineResolver&) = delete;
friend PropertyResolver;
};
} // namespace scene
} // namespace impeller
#endif // FLUTTER_IMPELLER_SCENE_ANIMATION_PROPERTY_RESOLVER_H_
| engine/impeller/scene/animation/property_resolver.h/0 | {
"file_path": "engine/impeller/scene/animation/property_resolver.h",
"repo_id": "engine",
"token_count": 1343
} | 259 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/scene/importer/vertices_builder.h"
#include <cstdint>
#include <cstring>
#include <limits>
#include <memory>
#include <type_traits>
#include "flutter/fml/logging.h"
#include "impeller/scene/importer/conversions.h"
#include "impeller/scene/importer/scene_flatbuffers.h"
namespace impeller {
namespace scene {
namespace importer {
//------------------------------------------------------------------------------
/// VerticesBuilder
///
std::unique_ptr<VerticesBuilder> VerticesBuilder::MakeUnskinned() {
return std::make_unique<UnskinnedVerticesBuilder>();
}
std::unique_ptr<VerticesBuilder> VerticesBuilder::MakeSkinned() {
return std::make_unique<SkinnedVerticesBuilder>();
}
VerticesBuilder::VerticesBuilder() = default;
VerticesBuilder::~VerticesBuilder() = default;
/// @brief Reads a numeric component from `source` and returns a 32bit float.
/// If `normalized` is `true`, signed SourceTypes convert to a range of
/// -1 to 1, and unsigned SourceTypes convert to a range of 0 to 1.
template <typename SourceType>
static Scalar ToScalar(const void* source, size_t index, bool normalized) {
const SourceType* s = reinterpret_cast<const SourceType*>(source) + index;
Scalar result = static_cast<Scalar>(*s);
if (normalized) {
constexpr SourceType divisor = std::is_integral_v<SourceType>
? std::numeric_limits<SourceType>::max()
: 1;
result = static_cast<Scalar>(*s) / static_cast<Scalar>(divisor);
}
return result;
}
/// @brief A ComponentWriter which simply converts all of an attribute's
/// components to normalized scalar form.
static void PassthroughAttributeWriter(
Scalar* destination,
const void* source,
const VerticesBuilder::ComponentProperties& component,
const VerticesBuilder::AttributeProperties& attribute) {
FML_DCHECK(attribute.size_bytes ==
attribute.component_count * sizeof(Scalar));
for (size_t component_i = 0; component_i < attribute.component_count;
component_i++) {
*(destination + component_i) =
component.convert_proc(source, component_i, true);
}
}
/// @brief A ComponentWriter which converts four vertex indices to scalars.
static void JointsAttributeWriter(
Scalar* destination,
const void* source,
const VerticesBuilder::ComponentProperties& component,
const VerticesBuilder::AttributeProperties& attribute) {
FML_DCHECK(attribute.component_count == 4);
for (int i = 0; i < 4; i++) {
*(destination + i) = component.convert_proc(source, i, false);
}
}
std::map<VerticesBuilder::AttributeType, VerticesBuilder::AttributeProperties>
VerticesBuilder::kAttributeTypes = {
{VerticesBuilder::AttributeType::kPosition,
{.offset_bytes = offsetof(UnskinnedVerticesBuilder::Vertex, position),
.size_bytes = sizeof(UnskinnedVerticesBuilder::Vertex::position),
.component_count = 3,
.write_proc = PassthroughAttributeWriter}},
{VerticesBuilder::AttributeType::kNormal,
{.offset_bytes = offsetof(UnskinnedVerticesBuilder::Vertex, normal),
.size_bytes = sizeof(UnskinnedVerticesBuilder::Vertex::normal),
.component_count = 3,
.write_proc = PassthroughAttributeWriter}},
{VerticesBuilder::AttributeType::kTangent,
{.offset_bytes = offsetof(UnskinnedVerticesBuilder::Vertex, tangent),
.size_bytes = sizeof(UnskinnedVerticesBuilder::Vertex::tangent),
.component_count = 4,
.write_proc = PassthroughAttributeWriter}},
{VerticesBuilder::AttributeType::kTextureCoords,
{.offset_bytes =
offsetof(UnskinnedVerticesBuilder::Vertex, texture_coords),
.size_bytes =
sizeof(UnskinnedVerticesBuilder::Vertex::texture_coords),
.component_count = 2,
.write_proc = PassthroughAttributeWriter}},
{VerticesBuilder::AttributeType::kColor,
{.offset_bytes = offsetof(UnskinnedVerticesBuilder::Vertex, color),
.size_bytes = sizeof(UnskinnedVerticesBuilder::Vertex::color),
.component_count = 4,
.write_proc = PassthroughAttributeWriter}},
{VerticesBuilder::AttributeType::kJoints,
{.offset_bytes = offsetof(SkinnedVerticesBuilder::Vertex, joints),
.size_bytes = sizeof(SkinnedVerticesBuilder::Vertex::joints),
.component_count = 4,
.write_proc = JointsAttributeWriter}},
{VerticesBuilder::AttributeType::kWeights,
{.offset_bytes = offsetof(SkinnedVerticesBuilder::Vertex, weights),
.size_bytes = sizeof(SkinnedVerticesBuilder::Vertex::weights),
.component_count = 4,
.write_proc = JointsAttributeWriter}}};
static std::map<VerticesBuilder::ComponentType,
VerticesBuilder::ComponentProperties>
kComponentTypes = {
{VerticesBuilder::ComponentType::kSignedByte,
{.size_bytes = sizeof(int8_t), .convert_proc = ToScalar<int8_t>}},
{VerticesBuilder::ComponentType::kUnsignedByte,
{.size_bytes = sizeof(int8_t), .convert_proc = ToScalar<uint8_t>}},
{VerticesBuilder::ComponentType::kSignedShort,
{.size_bytes = sizeof(int16_t), .convert_proc = ToScalar<int16_t>}},
{VerticesBuilder::ComponentType::kUnsignedShort,
{.size_bytes = sizeof(int16_t), .convert_proc = ToScalar<uint16_t>}},
{VerticesBuilder::ComponentType::kSignedInt,
{.size_bytes = sizeof(int32_t), .convert_proc = ToScalar<int32_t>}},
{VerticesBuilder::ComponentType::kUnsignedInt,
{.size_bytes = sizeof(int32_t), .convert_proc = ToScalar<uint32_t>}},
{VerticesBuilder::ComponentType::kFloat,
{.size_bytes = sizeof(float), .convert_proc = ToScalar<float>}},
};
void VerticesBuilder::WriteAttribute(void* destination,
size_t destination_stride_bytes,
AttributeType attribute,
ComponentType component_type,
const void* source,
size_t attribute_stride_bytes,
size_t attribute_count) {
const ComponentProperties& component_props = kComponentTypes[component_type];
const AttributeProperties& attribute_props = kAttributeTypes[attribute];
for (size_t i = 0; i < attribute_count; i++) {
const uint8_t* src =
reinterpret_cast<const uint8_t*>(source) + attribute_stride_bytes * i;
uint8_t* dst = reinterpret_cast<uint8_t*>(destination) +
i * destination_stride_bytes + attribute_props.offset_bytes;
attribute_props.write_proc(reinterpret_cast<Scalar*>(dst), src,
component_props, attribute_props);
}
}
//------------------------------------------------------------------------------
/// UnskinnedVerticesBuilder
///
UnskinnedVerticesBuilder::UnskinnedVerticesBuilder() = default;
UnskinnedVerticesBuilder::~UnskinnedVerticesBuilder() = default;
void UnskinnedVerticesBuilder::WriteFBVertices(
fb::MeshPrimitiveT& primitive) const {
auto vertex_buffer = fb::UnskinnedVertexBufferT();
vertex_buffer.vertices.resize(0);
for (auto& v : vertices_) {
vertex_buffer.vertices.push_back(fb::Vertex(
ToFBVec3(v.position), ToFBVec3(v.normal), ToFBVec4(v.tangent),
ToFBVec2(v.texture_coords), ToFBColor(v.color)));
}
primitive.vertices.Set(std::move(vertex_buffer));
}
void UnskinnedVerticesBuilder::SetAttributeFromBuffer(
AttributeType attribute,
ComponentType component_type,
const void* buffer_start,
size_t attribute_stride_bytes,
size_t attribute_count) {
if (attribute_count > vertices_.size()) {
vertices_.resize(attribute_count, Vertex());
}
WriteAttribute(vertices_.data(), // destination
sizeof(Vertex), // destination_stride_bytes
attribute, // attribute
component_type, // component_type
buffer_start, // source
attribute_stride_bytes, // attribute_stride_bytes
attribute_count); // attribute_count
}
//------------------------------------------------------------------------------
/// SkinnedVerticesBuilder
///
SkinnedVerticesBuilder::SkinnedVerticesBuilder() = default;
SkinnedVerticesBuilder::~SkinnedVerticesBuilder() = default;
void SkinnedVerticesBuilder::WriteFBVertices(
fb::MeshPrimitiveT& primitive) const {
auto vertex_buffer = fb::SkinnedVertexBufferT();
vertex_buffer.vertices.resize(0);
for (auto& v : vertices_) {
auto unskinned_attributes = fb::Vertex(
ToFBVec3(v.vertex.position), ToFBVec3(v.vertex.normal),
ToFBVec4(v.vertex.tangent), ToFBVec2(v.vertex.texture_coords),
ToFBColor(v.vertex.color));
vertex_buffer.vertices.push_back(fb::SkinnedVertex(
unskinned_attributes, ToFBVec4(v.joints), ToFBVec4(v.weights)));
}
primitive.vertices.Set(std::move(vertex_buffer));
}
void SkinnedVerticesBuilder::SetAttributeFromBuffer(
AttributeType attribute,
ComponentType component_type,
const void* buffer_start,
size_t attribute_stride_bytes,
size_t attribute_count) {
if (attribute_count > vertices_.size()) {
vertices_.resize(attribute_count, Vertex());
}
WriteAttribute(vertices_.data(), // destination
sizeof(Vertex), // destination_stride_bytes
attribute, // attribute
component_type, // component_type
buffer_start, // source
attribute_stride_bytes, // attribute_stride_bytes
attribute_count); // attribute_count
}
} // namespace importer
} // namespace scene
} // namespace impeller
| engine/impeller/scene/importer/vertices_builder.cc/0 | {
"file_path": "engine/impeller/scene/importer/vertices_builder.cc",
"repo_id": "engine",
"token_count": 4055
} | 260 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import("//flutter/impeller/tools/impeller.gni")
impeller_shaders("shaders") {
name = "scene"
if (impeller_enable_vulkan) {
vulkan_language_version = 130
}
shaders = [
"skinned.vert",
"unskinned.vert",
"unlit.frag",
]
}
| engine/impeller/scene/shaders/BUILD.gn/0 | {
"file_path": "engine/impeller/scene/shaders/BUILD.gn",
"repo_id": "engine",
"token_count": 153
} | 261 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_SHADER_ARCHIVE_SHADER_ARCHIVE_TYPES_H_
#define FLUTTER_IMPELLER_SHADER_ARCHIVE_SHADER_ARCHIVE_TYPES_H_
namespace impeller {
enum class ArchiveShaderType {
kVertex,
kFragment,
kCompute,
};
enum class ArchiveRenderingBackend {
kMetal,
kVulkan,
kOpenGLES,
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_SHADER_ARCHIVE_SHADER_ARCHIVE_TYPES_H_
| engine/impeller/shader_archive/shader_archive_types.h/0 | {
"file_path": "engine/impeller/shader_archive/shader_archive_types.h",
"repo_id": "engine",
"token_count": 218
} | 262 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "flutter/impeller/toolkit/android/choreographer.h"
#include "flutter/fml/message_loop.h"
namespace impeller::android {
Choreographer& Choreographer::GetInstance() {
static thread_local Choreographer tChoreographer;
return tChoreographer;
}
Choreographer::Choreographer() {
if (!IsAvailableOnPlatform()) {
return;
}
// We need a message loop on the current thread for the choreographer to
// schedule callbacks for us on.
fml::MessageLoop::EnsureInitializedForCurrentThread();
instance_ = GetProcTable().AChoreographer_getInstance();
}
Choreographer::~Choreographer() = default;
bool Choreographer::IsValid() const {
return !!instance_;
}
static Choreographer::FrameTimePoint ClockMonotonicNanosToFrameTimePoint(
int64_t p_nanos) {
return Choreographer::FrameTimePoint{std::chrono::nanoseconds(p_nanos)};
}
bool Choreographer::PostFrameCallback(FrameCallback callback) const {
if (!callback || !IsValid()) {
return false;
}
struct InFlightData {
FrameCallback callback;
};
auto data = std::make_unique<InFlightData>();
data->callback = std::move(callback);
const auto& table = GetProcTable();
if (table.AChoreographer_postFrameCallback64) {
table.AChoreographer_postFrameCallback64(
const_cast<AChoreographer*>(instance_),
[](int64_t nanos, void* p_data) {
auto data = reinterpret_cast<InFlightData*>(p_data);
data->callback(ClockMonotonicNanosToFrameTimePoint(nanos));
delete data;
},
data.release());
return true;
} else if (table.AChoreographer_postFrameCallback) {
table.AChoreographer_postFrameCallback(
const_cast<AChoreographer*>(instance_),
[](long /*NOLINT*/ nanos, void* p_data) {
auto data = reinterpret_cast<InFlightData*>(p_data);
data->callback(ClockMonotonicNanosToFrameTimePoint(nanos));
delete data;
},
data.release());
return true;
}
// The validity check should have tripped by now.
FML_UNREACHABLE();
return false;
}
bool Choreographer::IsAvailableOnPlatform() {
return GetProcTable().AChoreographer_getInstance &&
(GetProcTable().AChoreographer_postFrameCallback64 ||
GetProcTable().AChoreographer_postFrameCallback);
}
} // namespace impeller::android
| engine/impeller/toolkit/android/choreographer.cc/0 | {
"file_path": "engine/impeller/toolkit/android/choreographer.cc",
"repo_id": "engine",
"token_count": 886
} | 263 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/toolkit/egl/context.h"
#include "impeller/toolkit/egl/surface.h"
namespace impeller {
namespace egl {
Context::Context(EGLDisplay display, EGLContext context)
: display_(display), context_(context) {}
Context::~Context() {
if (context_ != EGL_NO_CONTEXT) {
if (::eglDestroyContext(display_, context_) != EGL_TRUE) {
IMPELLER_LOG_EGL_ERROR;
}
}
}
bool Context::IsValid() const {
return context_ != EGL_NO_CONTEXT;
}
const EGLContext& Context::GetHandle() const {
return context_;
}
static EGLBoolean EGLMakeCurrentIfNecessary(EGLDisplay display,
EGLSurface draw,
EGLSurface read,
EGLContext context) {
if (display != ::eglGetCurrentDisplay() ||
draw != ::eglGetCurrentSurface(EGL_DRAW) ||
read != ::eglGetCurrentSurface(EGL_READ) ||
context != ::eglGetCurrentContext()) {
return ::eglMakeCurrent(display, draw, read, context);
}
// The specified context configuration is already current.
return EGL_TRUE;
}
bool Context::MakeCurrent(const Surface& surface) const {
if (context_ == EGL_NO_CONTEXT) {
return false;
}
const auto result = EGLMakeCurrentIfNecessary(display_, //
surface.GetHandle(), //
surface.GetHandle(), //
context_ //
) == EGL_TRUE;
if (!result) {
IMPELLER_LOG_EGL_ERROR;
}
DispatchLifecyleEvent(LifecycleEvent::kDidMakeCurrent);
return result;
}
bool Context::ClearCurrent() const {
DispatchLifecyleEvent(LifecycleEvent::kWillClearCurrent);
const auto result = EGLMakeCurrentIfNecessary(display_, //
EGL_NO_SURFACE, //
EGL_NO_SURFACE, //
EGL_NO_CONTEXT //
) == EGL_TRUE;
if (!result) {
IMPELLER_LOG_EGL_ERROR;
}
return result;
}
std::optional<UniqueID> Context::AddLifecycleListener(
const LifecycleListener& listener) {
if (!listener) {
return std::nullopt;
}
WriterLock lock(listeners_mutex_);
UniqueID id;
listeners_[id] = listener;
return id;
}
bool Context::RemoveLifecycleListener(UniqueID id) {
WriterLock lock(listeners_mutex_);
auto found = listeners_.find(id);
if (found == listeners_.end()) {
return false;
}
listeners_.erase(found);
return true;
}
void Context::DispatchLifecyleEvent(LifecycleEvent event) const {
ReaderLock lock(listeners_mutex_);
for (const auto& listener : listeners_) {
listener.second(event);
}
}
} // namespace egl
} // namespace impeller
| engine/impeller/toolkit/egl/context.cc/0 | {
"file_path": "engine/impeller/toolkit/egl/context.cc",
"repo_id": "engine",
"token_count": 1451
} | 264 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import argparse
import os
def contains_license_block(source_file):
# This check is somewhat easier than in the engine because all sources need to
# have the same license.
py_license = """# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file."""
c_license = py_license.replace('#', '//')
# Make sure we don't read the entire file into memory.
read_size = (max(len(py_license), len(c_license)))
for lic in [c_license, py_license]:
with open(source_file) as source:
if source.read(read_size).startswith(lic):
return True
return False
def is_source_file(path):
known_extensions = [
'.cc',
'.cpp',
'.c',
'.h',
'.hpp',
'.py',
'.sh',
'.gn',
'.gni',
'.glsl',
'.sl.h',
'.vert',
'.frag',
'.tesc',
'.tese',
'.yaml',
'.dart',
]
for extension in known_extensions:
if os.path.basename(path).endswith(extension):
return True
return False
# Checks that all source files have the same license preamble.
def main():
parser = argparse.ArgumentParser()
parser.add_argument('--source-root', type=str, required=True, help='The source root.')
args = parser.parse_args()
assert os.path.exists(args.source_root)
source_files = set()
for root, _, files in os.walk(os.path.abspath(args.source_root)):
for file in files:
file_path = os.path.join(root, file)
if is_source_file(file_path):
source_files.add(file_path)
for source_file in source_files:
if not contains_license_block(source_file):
raise Exception('Could not find valid license block in source ', source_file)
if __name__ == '__main__':
main()
| engine/impeller/tools/check_licenses.py/0 | {
"file_path": "engine/impeller/tools/check_licenses.py",
"repo_id": "engine",
"token_count": 729
} | 265 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_IMPELLER_TYPOGRAPHER_BACKENDS_SKIA_TYPOGRAPHER_CONTEXT_SKIA_H_
#define FLUTTER_IMPELLER_TYPOGRAPHER_BACKENDS_SKIA_TYPOGRAPHER_CONTEXT_SKIA_H_
#include "impeller/typographer/typographer_context.h"
namespace impeller {
class TypographerContextSkia : public TypographerContext {
public:
static std::shared_ptr<TypographerContext> Make();
TypographerContextSkia();
~TypographerContextSkia() override;
// |TypographerContext|
std::shared_ptr<GlyphAtlasContext> CreateGlyphAtlasContext() const override;
// |TypographerContext|
std::shared_ptr<GlyphAtlas> CreateGlyphAtlas(
Context& context,
GlyphAtlas::Type type,
const std::shared_ptr<GlyphAtlasContext>& atlas_context,
const FontGlyphMap& font_glyph_map) const override;
private:
TypographerContextSkia(const TypographerContextSkia&) = delete;
TypographerContextSkia& operator=(const TypographerContextSkia&) = delete;
};
} // namespace impeller
#endif // FLUTTER_IMPELLER_TYPOGRAPHER_BACKENDS_SKIA_TYPOGRAPHER_CONTEXT_SKIA_H_
| engine/impeller/typographer/backends/skia/typographer_context_skia.h/0 | {
"file_path": "engine/impeller/typographer/backends/skia/typographer_context_skia.h",
"repo_id": "engine",
"token_count": 430
} | 266 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "impeller/typographer/glyph_atlas.h"
#include <numeric>
#include <utility>
namespace impeller {
GlyphAtlasContext::GlyphAtlasContext()
: atlas_(std::make_shared<GlyphAtlas>(GlyphAtlas::Type::kAlphaBitmap)),
atlas_size_(ISize(0, 0)) {}
GlyphAtlasContext::~GlyphAtlasContext() {}
std::shared_ptr<GlyphAtlas> GlyphAtlasContext::GetGlyphAtlas() const {
return atlas_;
}
const ISize& GlyphAtlasContext::GetAtlasSize() const {
return atlas_size_;
}
std::shared_ptr<RectanglePacker> GlyphAtlasContext::GetRectPacker() const {
return rect_packer_;
}
void GlyphAtlasContext::UpdateGlyphAtlas(std::shared_ptr<GlyphAtlas> atlas,
ISize size) {
atlas_ = std::move(atlas);
atlas_size_ = size;
}
void GlyphAtlasContext::UpdateRectPacker(
std::shared_ptr<RectanglePacker> rect_packer) {
rect_packer_ = std::move(rect_packer);
}
GlyphAtlas::GlyphAtlas(Type type) : type_(type) {}
GlyphAtlas::~GlyphAtlas() = default;
bool GlyphAtlas::IsValid() const {
return !!texture_;
}
GlyphAtlas::Type GlyphAtlas::GetType() const {
return type_;
}
const std::shared_ptr<Texture>& GlyphAtlas::GetTexture() const {
return texture_;
}
void GlyphAtlas::SetTexture(std::shared_ptr<Texture> texture) {
texture_ = std::move(texture);
}
void GlyphAtlas::AddTypefaceGlyphPosition(const FontGlyphPair& pair,
Rect rect) {
font_atlas_map_[pair.scaled_font].positions_[pair.glyph] = rect;
}
std::optional<Rect> GlyphAtlas::FindFontGlyphBounds(
const FontGlyphPair& pair) const {
const auto& found = font_atlas_map_.find(pair.scaled_font);
if (found == font_atlas_map_.end()) {
return std::nullopt;
}
return found->second.FindGlyphBounds(pair.glyph);
}
const FontGlyphAtlas* GlyphAtlas::GetFontGlyphAtlas(const Font& font,
Scalar scale) const {
const auto& found = font_atlas_map_.find({font, scale});
if (found == font_atlas_map_.end()) {
return nullptr;
}
return &found->second;
}
size_t GlyphAtlas::GetGlyphCount() const {
return std::accumulate(font_atlas_map_.begin(), font_atlas_map_.end(), 0,
[](const int a, const auto& b) {
return a + b.second.positions_.size();
});
}
size_t GlyphAtlas::IterateGlyphs(
const std::function<bool(const ScaledFont& scaled_font,
const Glyph& glyph,
const Rect& rect)>& iterator) const {
if (!iterator) {
return 0u;
}
size_t count = 0u;
for (const auto& font_value : font_atlas_map_) {
for (const auto& glyph_value : font_value.second.positions_) {
count++;
if (!iterator(font_value.first, glyph_value.first, glyph_value.second)) {
return count;
}
}
}
return count;
}
std::optional<Rect> FontGlyphAtlas::FindGlyphBounds(const Glyph& glyph) const {
const auto& found = positions_.find(glyph);
if (found == positions_.end()) {
return std::nullopt;
}
return found->second;
}
} // namespace impeller
| engine/impeller/typographer/glyph_atlas.cc/0 | {
"file_path": "engine/impeller/typographer/glyph_atlas.cc",
"repo_id": "engine",
"token_count": 1431
} | 267 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// ignore_for_file: public_member_api_docs
part of flutter_gpu;
/// A reference to a byte range within a GPU-resident [Buffer].
class BufferView {
/// The buffer of this view.
final Buffer buffer;
/// The start of the view, in bytes starting from the beginning of the
/// [buffer].
final int offsetInBytes;
/// The length of the view.
final int lengthInBytes;
/// Create a new view into a buffer on the GPU.
const BufferView(this.buffer,
{required this.offsetInBytes, required this.lengthInBytes});
}
/// A buffer that can be referenced by commands on the GPU.
mixin Buffer {
void _bindAsVertexBuffer(RenderPass renderPass, int offsetInBytes,
int lengthInBytes, int vertexCount);
void _bindAsIndexBuffer(RenderPass renderPass, int offsetInBytes,
int lengthInBytes, IndexType indexType, int indexCount);
bool _bindAsUniform(RenderPass renderPass, UniformSlot slot,
int offsetInBytes, int lengthInBytes);
}
/// [DeviceBuffer] is a region of memory allocated on the device heap
/// (GPU-resident memory).
base class DeviceBuffer extends NativeFieldWrapperClass1 with Buffer {
bool _valid = false;
get isValid {
return _valid;
}
/// Creates a new DeviceBuffer.
DeviceBuffer._initialize(
GpuContext gpuContext, StorageMode storageMode, int sizeInBytes)
: storageMode = storageMode,
sizeInBytes = sizeInBytes {
_valid = _initialize(gpuContext, storageMode.index, sizeInBytes);
}
/// Creates a new host visible DeviceBuffer with data copied from the host.
DeviceBuffer._initializeWithHostData(GpuContext gpuContext, ByteData data)
: storageMode = StorageMode.hostVisible,
sizeInBytes = data.lengthInBytes {
_valid = _initializeWithHostData(gpuContext, data);
}
final StorageMode storageMode;
final int sizeInBytes;
@override
void _bindAsVertexBuffer(RenderPass renderPass, int offsetInBytes,
int lengthInBytes, int vertexCount) {
renderPass._bindVertexBufferDevice(
this, offsetInBytes, lengthInBytes, vertexCount);
}
@override
void _bindAsIndexBuffer(RenderPass renderPass, int offsetInBytes,
int lengthInBytes, IndexType indexType, int indexCount) {
renderPass._bindIndexBufferDevice(
this, offsetInBytes, lengthInBytes, indexType.index, indexCount);
}
@override
bool _bindAsUniform(RenderPass renderPass, UniformSlot slot,
int offsetInBytes, int lengthInBytes) {
return renderPass._bindUniformDevice(
slot.shader, slot.uniformName, this, offsetInBytes, lengthInBytes);
}
/// Wrap with native counterpart.
@Native<Bool Function(Handle, Pointer<Void>, Int, Int)>(
symbol: 'InternalFlutterGpu_DeviceBuffer_Initialize')
external bool _initialize(
GpuContext gpuContext, int storageMode, int sizeInBytes);
/// Wrap with native counterpart.
@Native<Bool Function(Handle, Pointer<Void>, Handle)>(
symbol: 'InternalFlutterGpu_DeviceBuffer_InitializeWithHostData')
external bool _initializeWithHostData(GpuContext gpuContext, ByteData data);
/// Overwrite a range of bytes in the already created [DeviceBuffer].
///
/// This method can only be used if the [DeviceBuffer] was created with
/// [StorageMode.hostVisible]. An exception will be thrown otherwise.
///
/// The entire length of [sourceBytes] will be copied into the [DeviceBuffer],
/// starting at byte index [destinationOffsetInBytes] in the [DeviceBuffer].
/// If performing this copy would result in an out of bounds write to the
/// buffer, then the write will not be attempted and will fail.
///
/// Returns [true] if the write was successful, or [false] if the write
/// failed due to an internal error.
bool overwrite(ByteData sourceBytes, {int destinationOffsetInBytes = 0}) {
if (storageMode != StorageMode.hostVisible) {
throw Exception(
'DeviceBuffer.overwrite can only be used with DeviceBuffers that are host visible');
}
if (destinationOffsetInBytes < 0) {
throw Exception('destinationOffsetInBytes must be positive');
}
return _overwrite(sourceBytes, destinationOffsetInBytes);
}
@Native<Bool Function(Pointer<Void>, Handle, Int)>(
symbol: 'InternalFlutterGpu_DeviceBuffer_Overwrite')
external bool _overwrite(ByteData bytes, int destinationOffsetInBytes);
}
/// [HostBuffer] is a [Buffer] which is allocated on the host (native CPU
/// resident memory) and lazily uploaded to the GPU. A [HostBuffer] can be
/// safely mutated or extended at any time on the host, and will be
/// automatically re-uploaded to the GPU the next time a GPU operation needs to
/// access it.
///
/// This is useful for efficiently chunking sparse data uploads, especially
/// ephemeral uniform data that needs to change from frame to frame.
///
/// Different platforms have different data alignment requirements for accessing
/// device buffer data. The [HostBuffer] takes these requirements into account
/// and automatically inserts padding between emplaced data if necessary.
base class HostBuffer extends NativeFieldWrapperClass1 with Buffer {
/// Creates a new HostBuffer.
HostBuffer._initialize(GpuContext gpuContext) {
_initialize(gpuContext);
}
@override
void _bindAsVertexBuffer(RenderPass renderPass, int offsetInBytes,
int lengthInBytes, int vertexCount) {
renderPass._bindVertexBufferHost(
this, offsetInBytes, lengthInBytes, vertexCount);
}
@override
void _bindAsIndexBuffer(RenderPass renderPass, int offsetInBytes,
int lengthInBytes, IndexType indexType, int indexCount) {
renderPass._bindIndexBufferHost(
this, offsetInBytes, lengthInBytes, indexType.index, indexCount);
}
@override
bool _bindAsUniform(RenderPass renderPass, UniformSlot slot,
int offsetInBytes, int lengthInBytes) {
return renderPass._bindUniformHost(
slot.shader, slot.uniformName, this, offsetInBytes, lengthInBytes);
}
/// Wrap with native counterpart.
@Native<Void Function(Handle, Pointer<Void>)>(
symbol: 'InternalFlutterGpu_HostBuffer_Initialize')
external void _initialize(GpuContext gpuContext);
/// Append byte data to the end of the [HostBuffer] and produce a [BufferView]
/// that references the new data in the buffer.
///
/// This method automatically inserts padding in-between emplace calls in the
/// buffer if necessary to abide by platform-specific uniform alignment
/// requirements.
///
/// The updated buffer will be uploaded to the GPU if the returned
/// [BufferView] is used by a rendering command.
BufferView emplace(ByteData bytes) {
int resultOffset = _emplaceBytes(bytes);
return BufferView(this,
offsetInBytes: resultOffset, lengthInBytes: bytes.lengthInBytes);
}
@Native<Uint64 Function(Pointer<Void>, Handle)>(
symbol: 'InternalFlutterGpu_HostBuffer_EmplaceBytes')
external int _emplaceBytes(ByteData bytes);
}
| engine/lib/gpu/lib/src/buffer.dart/0 | {
"file_path": "engine/lib/gpu/lib/src/buffer.dart",
"repo_id": "engine",
"token_count": 2117
} | 268 |
// Copyright 2013 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef FLUTTER_LIB_GPU_SHADER_H_
#define FLUTTER_LIB_GPU_SHADER_H_
#include <algorithm>
#include <memory>
#include <string>
#include "flutter/lib/gpu/context.h"
#include "flutter/lib/ui/dart_wrapper.h"
#include "fml/memory/ref_ptr.h"
#include "impeller/core/shader_types.h"
#include "impeller/renderer/shader_function.h"
#include "impeller/renderer/vertex_descriptor.h"
namespace flutter {
namespace gpu {
/// An immutable collection of shaders loaded from a shader bundle asset.
class Shader : public RefCountedDartWrappable<Shader> {
DEFINE_WRAPPERTYPEINFO();
FML_FRIEND_MAKE_REF_COUNTED(Shader);
public:
struct UniformBinding {
impeller::ShaderUniformSlot slot;
impeller::ShaderMetadata metadata;
size_t size_in_bytes = 0;
const impeller::ShaderStructMemberMetadata* GetMemberMetadata(
const std::string& name) const;
};
~Shader() override;
static fml::RefPtr<Shader> Make(
std::string entrypoint,
impeller::ShaderStage stage,
std::shared_ptr<fml::Mapping> code_mapping,
std::shared_ptr<impeller::VertexDescriptor> vertex_desc,
std::unordered_map<std::string, UniformBinding> uniform_structs,
std::unordered_map<std::string, impeller::SampledImageSlot>
uniform_textures);
std::shared_ptr<const impeller::ShaderFunction> GetFunctionFromLibrary(
impeller::ShaderLibrary& library);
bool IsRegistered(Context& context);
bool RegisterSync(Context& context);
std::shared_ptr<impeller::VertexDescriptor> GetVertexDescriptor() const;
impeller::ShaderStage GetShaderStage() const;
const Shader::UniformBinding* GetUniformStruct(const std::string& name) const;
const impeller::SampledImageSlot* GetUniformTexture(
const std::string& name) const;
private:
Shader();
std::string entrypoint_;
impeller::ShaderStage stage_;
std::shared_ptr<fml::Mapping> code_mapping_;
std::shared_ptr<impeller::VertexDescriptor> vertex_desc_;
std::unordered_map<std::string, UniformBinding> uniform_structs_;
std::unordered_map<std::string, impeller::SampledImageSlot> uniform_textures_;
FML_DISALLOW_COPY_AND_ASSIGN(Shader);
};
} // namespace gpu
} // namespace flutter
//----------------------------------------------------------------------------
/// Exports
///
extern "C" {
FLUTTER_GPU_EXPORT
extern int InternalFlutterGpu_Shader_GetUniformStructSize(
flutter::gpu::Shader* wrapper,
Dart_Handle struct_name_handle);
FLUTTER_GPU_EXPORT
extern int InternalFlutterGpu_Shader_GetUniformMemberOffset(
flutter::gpu::Shader* wrapper,
Dart_Handle struct_name_handle,
Dart_Handle member_name_handle);
} // extern "C"
#endif // FLUTTER_LIB_GPU_SHADER_H_
| engine/lib/gpu/shader.h/0 | {
"file_path": "engine/lib/gpu/shader.h",
"repo_id": "engine",
"token_count": 1019
} | 269 |
# Copyright 2013 The Flutter Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import("//flutter/common/config.gni")
import("//flutter/impeller/tools/impeller.gni")
import("//flutter/shell/config.gni")
import("//flutter/testing/testing.gni")
if (is_fuchsia) {
import("//flutter/tools/fuchsia/gn-sdk/src/gn_configs.gni")
}
source_set("ui") {
cflags = [
# Dart gives us doubles. Skia and Impeller work in floats.
# If Dart gives us a double > FLT_MAX or < -FLT_MAX, implicit conversion
# will convert it to either inf/-inf or FLT_MAX/-FLT_MAX (undefined
# behavior). This can result in surprising and difficult to debug behavior
# for Flutter application developers, so it should be explicitly handled
# via SafeNarrow.
"-Wimplicit-float-conversion",
]
if (is_win) {
# This causes build failures in third_party dependencies on Windows.
cflags += [ "-Wno-implicit-int-float-conversion" ]
}
sources = [
"compositing/scene.cc",
"compositing/scene.h",
"compositing/scene_builder.cc",
"compositing/scene_builder.h",
"dart_runtime_hooks.cc",
"dart_runtime_hooks.h",
"dart_ui.cc",
"dart_ui.h",
"dart_wrapper.h",
"floating_point.h",
"io_manager.cc",
"io_manager.h",
"isolate_name_server/isolate_name_server.cc",
"isolate_name_server/isolate_name_server.h",
"isolate_name_server/isolate_name_server_natives.cc",
"isolate_name_server/isolate_name_server_natives.h",
"painting/canvas.cc",
"painting/canvas.h",
"painting/codec.cc",
"painting/codec.h",
"painting/color_filter.cc",
"painting/color_filter.h",
"painting/display_list_deferred_image_gpu_skia.cc",
"painting/display_list_deferred_image_gpu_skia.h",
"painting/display_list_image_gpu.cc",
"painting/display_list_image_gpu.h",
"painting/engine_layer.cc",
"painting/engine_layer.h",
"painting/fragment_program.cc",
"painting/fragment_program.h",
"painting/fragment_shader.cc",
"painting/fragment_shader.h",
"painting/gradient.cc",
"painting/gradient.h",
"painting/image.cc",
"painting/image.h",
"painting/image_decoder.cc",
"painting/image_decoder.h",
"painting/image_decoder_skia.cc",
"painting/image_decoder_skia.h",
"painting/image_descriptor.cc",
"painting/image_descriptor.h",
"painting/image_encoding.cc",
"painting/image_encoding.h",
"painting/image_encoding_impl.h",
"painting/image_encoding_skia.cc",
"painting/image_encoding_skia.h",
"painting/image_filter.cc",
"painting/image_filter.h",
"painting/image_generator.cc",
"painting/image_generator.h",
"painting/image_generator_apng.cc",
"painting/image_generator_apng.h",
"painting/image_generator_registry.cc",
"painting/image_generator_registry.h",
"painting/image_shader.cc",
"painting/image_shader.h",
"painting/immutable_buffer.cc",
"painting/immutable_buffer.h",
"painting/matrix.cc",
"painting/matrix.h",
"painting/multi_frame_codec.cc",
"painting/multi_frame_codec.h",
"painting/paint.cc",
"painting/paint.h",
"painting/path.cc",
"painting/path.h",
"painting/path_measure.cc",
"painting/path_measure.h",
"painting/picture.cc",
"painting/picture.h",
"painting/picture_recorder.cc",
"painting/picture_recorder.h",
"painting/rrect.cc",
"painting/rrect.h",
"painting/shader.cc",
"painting/shader.h",
"painting/single_frame_codec.cc",
"painting/single_frame_codec.h",
"painting/vertices.cc",
"painting/vertices.h",
"plugins/callback_cache.cc",
"plugins/callback_cache.h",
"semantics/custom_accessibility_action.cc",
"semantics/custom_accessibility_action.h",
"semantics/semantics_node.cc",
"semantics/semantics_node.h",
"semantics/semantics_update.cc",
"semantics/semantics_update.h",
"semantics/semantics_update_builder.cc",
"semantics/semantics_update_builder.h",
"semantics/string_attribute.cc",
"semantics/string_attribute.h",
"snapshot_delegate.h",
"text/asset_manager_font_provider.cc",
"text/asset_manager_font_provider.h",
"text/font_collection.cc",
"text/font_collection.h",
"text/paragraph.cc",
"text/paragraph.h",
"text/paragraph_builder.cc",
"text/paragraph_builder.h",
"ui_dart_state.cc",
"ui_dart_state.h",
"volatile_path_tracker.cc",
"volatile_path_tracker.h",
"window/key_data.cc",
"window/key_data.h",
"window/key_data_packet.cc",
"window/key_data_packet.h",
"window/platform_configuration.cc",
"window/platform_configuration.h",
"window/platform_isolate.cc",
"window/platform_isolate.h",
"window/platform_message.cc",
"window/platform_message.h",
"window/platform_message_response.cc",
"window/platform_message_response.h",
"window/platform_message_response_dart.cc",
"window/platform_message_response_dart.h",
"window/platform_message_response_dart_port.cc",
"window/platform_message_response_dart_port.h",
"window/pointer_data.cc",
"window/pointer_data.h",
"window/pointer_data_packet.cc",
"window/pointer_data_packet.h",
"window/pointer_data_packet_converter.cc",
"window/pointer_data_packet_converter.h",
"window/viewport_metrics.cc",
"window/viewport_metrics.h",
]
public_configs = [ "//flutter:config" ]
public_deps = [
"//flutter/flow",
"//flutter/shell/common:display",
"//flutter/shell/common:platform_message_handler",
"//flutter/skia/modules/skparagraph",
"//flutter/third_party/txt",
]
deps = [
"$dart_src/runtime/bin:dart_io_api",
"//flutter/assets",
"//flutter/common",
"//flutter/common/graphics",
"//flutter/display_list",
"//flutter/fml",
"//flutter/impeller/runtime_stage",
"//flutter/runtime:dart_plugin_registrant",
"//flutter/runtime:test_font",
"//flutter/skia",
"//flutter/third_party/rapidjson",
"//flutter/third_party/tonic",
"//third_party/zlib:zlib",
]
if (impeller_supports_rendering) {
sources += [
"painting/display_list_deferred_image_gpu_impeller.cc",
"painting/display_list_deferred_image_gpu_impeller.h",
"painting/image_decoder_impeller.cc",
"painting/image_decoder_impeller.h",
"painting/image_encoding_impeller.cc",
"painting/image_encoding_impeller.h",
]
deps += [
"//flutter/impeller",
"//flutter/impeller/display_list:skia_conversions",
]
}
if (!defined(defines)) {
defines = []
}
if (is_win) {
# Required for M_PI and others.
defines += [ "_USE_MATH_DEFINES" ]
}
if (impeller_enable_3d) {
defines += [ "IMPELLER_ENABLE_3D" ]
sources += [
"painting/scene/scene_node.cc",
"painting/scene/scene_node.h",
"painting/scene/scene_shader.cc",
"painting/scene/scene_shader.h",
]
deps += [ "//flutter/impeller/scene" ]
}
}
if (enable_unittests) {
test_fixtures("ui_unittests_fixtures") {
deps = [ "fixtures/shaders" ]
dart_main = "fixtures/ui_test.dart"
fixtures = [
"fixtures/DashInNooglerHat.jpg",
"fixtures/DashInNooglerHat%20WithSpace.jpg",
"fixtures/DisplayP3Logo.jpg",
"fixtures/DisplayP3Logo.png",
"fixtures/Horizontal.jpg",
"fixtures/Horizontal.png",
"fixtures/heart_end.png",
"fixtures/hello_loop_2.gif",
"fixtures/hello_loop_2.webp",
"fixtures/FontManifest.json",
"fixtures/WideGamutIndexed.png",
"//flutter/third_party/txt/third_party/fonts/Roboto-Medium.ttf",
]
}
executable("ui_benchmarks") {
testonly = true
public_configs = [ "//flutter:export_dynamic_symbols" ]
sources = [ "ui_benchmarks.cc" ]
deps = [
":ui",
":ui_unittests_fixtures",
"//flutter/benchmarking",
"//flutter/lib/snapshot",
"//flutter/shell/common",
"//flutter/testing:fixture_test",
]
}
executable("ui_unittests") {
testonly = true
public_configs = [ "//flutter:export_dynamic_symbols" ]
sources = [
"compositing/scene_builder_unittests.cc",
"hooks_unittests.cc",
"painting/image_decoder_no_gl_unittests.cc",
"painting/image_decoder_no_gl_unittests.h",
"painting/image_dispose_unittests.cc",
"painting/image_encoding_unittests.cc",
"painting/image_generator_registry_unittests.cc",
"painting/paint_unittests.cc",
"painting/path_unittests.cc",
"painting/single_frame_codec_unittests.cc",
"semantics/semantics_update_builder_unittests.cc",
"window/platform_configuration_unittests.cc",
"window/platform_message_response_dart_port_unittests.cc",
"window/platform_message_response_dart_unittests.cc",
"window/pointer_data_packet_converter_unittests.cc",
"window/pointer_data_packet_unittests.cc",
]
deps = [
":ui",
":ui_unittests_fixtures",
"$dart_src/runtime/bin:elf_loader",
"//flutter/common",
"//flutter/impeller",
"//flutter/lib/snapshot",
"//flutter/shell/common:shell_test_fixture_sources",
"//flutter/testing",
"//flutter/testing:dart",
"//flutter/testing:fixture_test",
"//flutter/third_party/tonic",
]
# TODO(https://github.com/flutter/flutter/issues/63837): This test is hard-coded to use a TestGLSurface so it cannot run on fuchsia.
if (shell_enable_gl) {
sources += [ "painting/image_decoder_unittests.cc" ]
deps += [ "//flutter/testing:opengl" ]
}
}
}
| engine/lib/ui/BUILD.gn/0 | {
"file_path": "engine/lib/ui/BUILD.gn",
"repo_id": "engine",
"token_count": 4252
} | 270 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.