ios.dart 21.8 KB
Newer Older
Ian Hickson's avatar
Ian Hickson committed
1
// Copyright 2014 The Flutter Authors. All rights reserved.
2 3 4
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.

5 6
import 'package:meta/meta.dart';

7 8
import '../../artifacts.dart';
import '../../base/build.dart';
xster's avatar
xster committed
9
import '../../base/common.dart';
10 11 12
import '../../base/file_system.dart';
import '../../base/io.dart';
import '../../build_info.dart';
13
import '../../globals.dart' as globals show xcode;
14
import '../../macos/xcode.dart';
15
import '../../project.dart';
16
import '../build_system.dart';
17
import '../depfile.dart';
18
import '../exceptions.dart';
19
import 'assets.dart';
20
import 'common.dart';
21
import 'icon_tree_shaker.dart';
22
import 'shader_compiler.dart';
23

24 25 26
/// Supports compiling a dart kernel file to an assembly file.
///
/// If more than one iOS arch is provided, then this rule will
27
/// produce a universal binary.
28 29 30
abstract class AotAssemblyBase extends Target {
  const AotAssemblyBase();

31 32 33
  @override
  String get analyticsName => 'ios_aot';

34
  @override
35
  Future<void> build(Environment environment) async {
36
    final AOTSnapshotter snapshotter = AOTSnapshotter(
37 38
      fileSystem: environment.fileSystem,
      logger: environment.logger,
39
      xcode: globals.xcode!,
40 41
      artifacts: environment.artifacts,
      processManager: environment.processManager,
42
    );
43
    final String buildOutputPath = environment.buildDir.path;
44 45
    final String? environmentBuildMode = environment.defines[kBuildMode];
    if (environmentBuildMode == null) {
46 47
      throw MissingDefineException(kBuildMode, 'aot_assembly');
    }
48 49
    final String? environmentTargetPlatform = environment.defines[kTargetPlatform];
    if (environmentTargetPlatform== null) {
50 51
      throw MissingDefineException(kTargetPlatform, 'aot_assembly');
    }
52 53
    final String? sdkRoot = environment.defines[kSdkRoot];
    if (sdkRoot == null) {
54 55 56
      throw MissingDefineException(kSdkRoot, 'aot_assembly');
    }

57
    final List<String> extraGenSnapshotOptions = decodeCommaSeparated(environment.defines, kExtraGenSnapshotOptions);
58
    final bool bitcode = environment.defines[kBitcodeFlag] == 'true';
59 60 61
    final BuildMode buildMode = getBuildModeForName(environmentBuildMode);
    final TargetPlatform targetPlatform = getTargetPlatformForName(environmentTargetPlatform);
    final String? splitDebugInfo = environment.defines[kSplitDebugInfo];
62
    final bool dartObfuscation = environment.defines[kDartObfuscation] == 'true';
63
    final List<DarwinArch> darwinArchs = environment.defines[kIosArchs]
64
      ?.split(' ')
65 66
      .map(getIOSArchForName)
      .toList()
67
      ?? <DarwinArch>[DarwinArch.arm64];
68
    if (targetPlatform != TargetPlatform.ios) {
69 70
      throw Exception('aot_assembly is only supported for iOS applications.');
    }
71

72
    final EnvironmentType? environmentType = environmentTypeFromSdkroot(sdkRoot, environment.fileSystem);
73
    if (environmentType == EnvironmentType.simulator) {
74 75
      throw Exception(
        'release/profile builds are only supported for physical devices. '
76
        'attempted to build for simulator.'
77
      );
78
    }
79
    final String? codeSizeDirectory = environment.defines[kCodeSizeDirectory];
80

81 82 83
    // If we're building multiple iOS archs the binaries need to be lipo'd
    // together.
    final List<Future<int>> pending = <Future<int>>[];
84 85 86 87 88 89 90 91 92 93 94 95
    for (final DarwinArch darwinArch in darwinArchs) {
      final List<String> archExtraGenSnapshotOptions = List<String>.of(extraGenSnapshotOptions);
      if (codeSizeDirectory != null) {
        final File codeSizeFile = environment.fileSystem
          .directory(codeSizeDirectory)
          .childFile('snapshot.${getNameForDarwinArch(darwinArch)}.json');
        final File precompilerTraceFile = environment.fileSystem
          .directory(codeSizeDirectory)
          .childFile('trace.${getNameForDarwinArch(darwinArch)}.json');
        archExtraGenSnapshotOptions.add('--write-v8-snapshot-profile-to=${codeSizeFile.path}');
        archExtraGenSnapshotOptions.add('--trace-precompiler-to=${precompilerTraceFile.path}');
      }
96
      pending.add(snapshotter.build(
97 98 99
        platform: targetPlatform,
        buildMode: buildMode,
        mainPath: environment.buildDir.childFile('app.dill').path,
100 101
        outputPath: environment.fileSystem.path.join(buildOutputPath, getNameForDarwinArch(darwinArch)),
        darwinArch: darwinArch,
102
        sdkRoot: sdkRoot,
103
        bitcode: bitcode,
104
        quiet: true,
105
        splitDebugInfo: splitDebugInfo,
106
        dartObfuscation: dartObfuscation,
107
        extraGenSnapshotOptions: archExtraGenSnapshotOptions,
108 109 110 111 112 113
      ));
    }
    final List<int> results = await Future.wait(pending);
    if (results.any((int result) => result != 0)) {
      throw Exception('AOT snapshotter exited with code ${results.join()}');
    }
114 115 116
    final String resultPath = environment.fileSystem.path.join(environment.buildDir.path, 'App.framework', 'App');
    environment.fileSystem.directory(resultPath).parent.createSync(recursive: true);
    final ProcessResult result = await environment.processManager.run(<String>[
117
      'lipo',
118
      ...darwinArchs.map((DarwinArch iosArch) =>
119
          environment.fileSystem.path.join(buildOutputPath, getNameForDarwinArch(iosArch), 'App.framework', 'App')),
120 121 122 123 124 125
      '-create',
      '-output',
      resultPath,
    ]);
    if (result.exitCode != 0) {
      throw Exception('lipo exited with code ${result.exitCode}.\n${result.stderr}');
126 127 128 129 130 131 132 133 134 135 136 137 138 139 140
    }
  }
}

/// Generate an assembly target from a dart kernel file in release mode.
class AotAssemblyRelease extends AotAssemblyBase {
  const AotAssemblyRelease();

  @override
  String get name => 'aot_assembly_release';

  @override
  List<Source> get inputs => const <Source>[
    Source.pattern('{FLUTTER_ROOT}/packages/flutter_tools/lib/src/build_system/targets/ios.dart'),
    Source.pattern('{BUILD_DIR}/app.dill'),
141
    Source.hostArtifact(HostArtifact.engineDartBinary),
142
    Source.artifact(Artifact.skyEnginePath),
143
    // TODO(zanderso): cannot reference gen_snapshot with artifacts since
144 145 146 147 148 149
    // it resolves to a file (ios/gen_snapshot) that never exists. This was
    // split into gen_snapshot_arm64 and gen_snapshot_armv7.
    // Source.artifact(Artifact.genSnapshot,
    //   platform: TargetPlatform.ios,
    //   mode: BuildMode.release,
    // ),
150 151 152 153
  ];

  @override
  List<Source> get outputs => const <Source>[
xster's avatar
xster committed
154
    Source.pattern('{OUTPUT_DIR}/App.framework/App'),
155 156 157 158
  ];

  @override
  List<Target> get dependencies => const <Target>[
159
    ReleaseUnpackIOS(),
160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175
    KernelSnapshot(),
  ];
}


/// Generate an assembly target from a dart kernel file in profile mode.
class AotAssemblyProfile extends AotAssemblyBase {
  const AotAssemblyProfile();

  @override
  String get name => 'aot_assembly_profile';

  @override
  List<Source> get inputs => const <Source>[
    Source.pattern('{FLUTTER_ROOT}/packages/flutter_tools/lib/src/build_system/targets/ios.dart'),
    Source.pattern('{BUILD_DIR}/app.dill'),
176
    Source.hostArtifact(HostArtifact.engineDartBinary),
177
    Source.artifact(Artifact.skyEnginePath),
178
    // TODO(zanderso): cannot reference gen_snapshot with artifacts since
179 180 181 182 183 184
    // it resolves to a file (ios/gen_snapshot) that never exists. This was
    // split into gen_snapshot_arm64 and gen_snapshot_armv7.
    // Source.artifact(Artifact.genSnapshot,
    //   platform: TargetPlatform.ios,
    //   mode: BuildMode.profile,
    // ),
185 186 187 188
  ];

  @override
  List<Source> get outputs => const <Source>[
xster's avatar
xster committed
189
    Source.pattern('{OUTPUT_DIR}/App.framework/App'),
190 191 192 193
  ];

  @override
  List<Target> get dependencies => const <Target>[
194
    ProfileUnpackIOS(),
195 196 197
    KernelSnapshot(),
  ];
}
xster's avatar
xster committed
198

199
/// Create a trivial App.framework file for debug iOS builds.
200 201
class DebugUniversalFramework extends Target {
  const DebugUniversalFramework();
202 203 204 205 206 207

  @override
  String get name => 'debug_universal_framework';

  @override
  List<Target> get dependencies => const <Target>[
208
    DebugUnpackIOS(),
209 210 211 212 213 214 215 216 217 218
    KernelSnapshot(),
  ];

  @override
  List<Source> get inputs => const <Source>[
     Source.pattern('{FLUTTER_ROOT}/packages/flutter_tools/lib/src/build_system/targets/ios.dart'),
  ];

  @override
  List<Source> get outputs => const <Source>[
219
    Source.pattern('{BUILD_DIR}/App.framework/App'),
220 221 222 223
  ];

  @override
  Future<void> build(Environment environment) async {
224 225
    final String? sdkRoot = environment.defines[kSdkRoot];
    if (sdkRoot == null) {
226 227 228
      throw MissingDefineException(kSdkRoot, name);
    }

229
    // Generate a trivial App.framework.
230
    final Set<String>? iosArchNames = environment.defines[kIosArchs]?.split(' ').toSet();
231
    final File output = environment.buildDir
232 233
      .childDirectory('App.framework')
      .childFile('App');
234
    environment.buildDir.createSync(recursive: true);
235
    await _createStubAppFramework(
236
      output,
237
      environment,
238
      iosArchNames,
239
      sdkRoot,
240 241 242 243
    );
  }
}

244 245 246 247 248 249 250 251 252 253 254 255 256
/// Copy the iOS framework to the correct copy dir by invoking 'rsync'.
///
/// This class is abstract to share logic between the three concrete
/// implementations. The shelling out is done to avoid complications with
/// preserving special files (e.g., symbolic links) in the framework structure.
abstract class UnpackIOS extends Target {
  const UnpackIOS();

  @override
  List<Source> get inputs => <Source>[
        const Source.pattern(
            '{FLUTTER_ROOT}/packages/flutter_tools/lib/src/build_system/targets/ios.dart'),
        Source.artifact(
257
          Artifact.flutterXcframework,
258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275
          platform: TargetPlatform.ios,
          mode: buildMode,
        ),
      ];

  @override
  List<Source> get outputs => const <Source>[
        Source.pattern('{OUTPUT_DIR}/Flutter.framework/Flutter'),
      ];

  @override
  List<Target> get dependencies => <Target>[];

  @visibleForOverriding
  BuildMode get buildMode;

  @override
  Future<void> build(Environment environment) async {
276 277
    final String? sdkRoot = environment.defines[kSdkRoot];
    if (sdkRoot == null) {
278 279
      throw MissingDefineException(kSdkRoot, name);
    }
280 281
    final String? archs = environment.defines[kIosArchs];
    if (archs == null) {
282 283
      throw MissingDefineException(kIosArchs, name);
    }
284 285 286
    if (environment.defines[kBitcodeFlag] == null) {
      throw MissingDefineException(kBitcodeFlag, name);
    }
287
    _copyFramework(environment, sdkRoot);
288 289 290 291 292 293

    final File frameworkBinary = environment.outputDir.childDirectory('Flutter.framework').childFile('Flutter');
    final String frameworkBinaryPath = frameworkBinary.path;
    if (!frameworkBinary.existsSync()) {
      throw Exception('Binary $frameworkBinaryPath does not exist, cannot thin');
    }
294
    _thinFramework(environment, frameworkBinaryPath, archs);
295 296
    _bitcodeStripFramework(environment, frameworkBinaryPath);
    _signFramework(environment, frameworkBinaryPath, buildMode);
297 298
  }

299 300
  void _copyFramework(Environment environment, String sdkRoot) {
    final EnvironmentType? environmentType = environmentTypeFromSdkroot(sdkRoot, environment.fileSystem);
301 302 303 304
    final String basePath = environment.artifacts.getArtifactPath(
      Artifact.flutterFramework,
      platform: TargetPlatform.ios,
      mode: buildMode,
305
      environmentType: environmentType,
306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323
    );

    final ProcessResult result = environment.processManager.runSync(<String>[
      'rsync',
      '-av',
      '--delete',
      '--filter',
      '- .DS_Store/',
      basePath,
      environment.outputDir.path,
    ]);
    if (result.exitCode != 0) {
      throw Exception(
        'Failed to copy framework (exit ${result.exitCode}:\n'
        '${result.stdout}\n---\n${result.stderr}',
      );
    }
  }
324 325

  /// Destructively thin Flutter.framework to include only the specified architectures.
326
  void _thinFramework(Environment environment, String frameworkBinaryPath, String archs) {
327 328 329 330
    final List<String> archList = archs.split(' ').toList();
    final ProcessResult infoResult = environment.processManager.runSync(<String>[
      'lipo',
      '-info',
331
      frameworkBinaryPath,
332 333 334 335 336
    ]);
    final String lipoInfo = infoResult.stdout as String;

    final ProcessResult verifyResult = environment.processManager.runSync(<String>[
      'lipo',
337
      frameworkBinaryPath,
338
      '-verify_arch',
339
      ...archList,
340 341 342
    ]);

    if (verifyResult.exitCode != 0) {
343
      throw Exception('Binary $frameworkBinaryPath does not contain $archs. Running lipo -info:\n$lipoInfo');
344 345 346 347
    }

    // Skip thinning for non-fat executables.
    if (lipoInfo.startsWith('Non-fat file:')) {
348
      environment.logger.printTrace('Skipping lipo for non-fat file $frameworkBinaryPath');
349 350 351 352 353 354 355
      return;
    }

    // Thin in-place.
    final ProcessResult extractResult = environment.processManager.runSync(<String>[
      'lipo',
      '-output',
356
      frameworkBinaryPath,
357 358 359 360 361
      for (final String arch in archList)
        ...<String>[
          '-extract',
          arch,
        ],
362
      ...<String>[frameworkBinaryPath],
363 364 365
    ]);

    if (extractResult.exitCode != 0) {
366 367 368 369 370
      throw Exception('Failed to extract $archs for $frameworkBinaryPath.\n${extractResult.stderr}\nRunning lipo -info:\n$lipoInfo');
    }
  }

  /// Destructively strip bitcode from the framework, if needed.
371
  void _bitcodeStripFramework(Environment environment, String frameworkBinaryPath) {
372 373 374 375 376 377 378 379 380 381 382 383 384 385
    if (environment.defines[kBitcodeFlag] == 'true') {
      return;
    }
    final ProcessResult stripResult = environment.processManager.runSync(<String>[
      'xcrun',
      'bitcode_strip',
      frameworkBinaryPath,
      '-m', // leave the bitcode marker.
      '-o',
      frameworkBinaryPath,
    ]);

    if (stripResult.exitCode != 0) {
      throw Exception('Failed to strip bitcode for $frameworkBinaryPath.\n${stripResult.stderr}');
386 387
    }
  }
388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422
}

/// Unpack the release prebuilt engine framework.
class ReleaseUnpackIOS extends UnpackIOS {
  const ReleaseUnpackIOS();

  @override
  String get name => 'release_unpack_ios';

  @override
  BuildMode get buildMode => BuildMode.release;
}

/// Unpack the profile prebuilt engine framework.
class ProfileUnpackIOS extends UnpackIOS {
  const ProfileUnpackIOS();

  @override
  String get name => 'profile_unpack_ios';

  @override
  BuildMode get buildMode => BuildMode.profile;
}

/// Unpack the debug prebuilt engine framework.
class DebugUnpackIOS extends UnpackIOS {
  const DebugUnpackIOS();

  @override
  String get name => 'debug_unpack_ios';

  @override
  BuildMode get buildMode => BuildMode.debug;
}

423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439
/// The base class for all iOS bundle targets.
///
/// This is responsible for setting up the basic App.framework structure, including:
/// * Copying the app.dill/kernel_blob.bin from the build directory to assets (debug)
/// * Copying the precompiled isolate/vm data from the engine (debug)
/// * Copying the flutter assets to App.framework/flutter_assets
/// * Copying either the stub or real App assembly file to App.framework/App
abstract class IosAssetBundle extends Target {
  const IosAssetBundle();

  @override
  List<Target> get dependencies => const <Target>[
    KernelSnapshot(),
  ];

  @override
  List<Source> get inputs => const <Source>[
440
    Source.pattern('{BUILD_DIR}/App.framework/App'),
441
    Source.pattern('{PROJECT_DIR}/pubspec.yaml'),
442
    ...IconTreeShaker.inputs,
443
    ...ShaderCompiler.inputs,
444 445 446 447 448
  ];

  @override
  List<Source> get outputs => const <Source>[
    Source.pattern('{OUTPUT_DIR}/App.framework/App'),
449
    Source.pattern('{OUTPUT_DIR}/App.framework/Info.plist'),
450 451 452 453 454 455 456 457 458
  ];

  @override
  List<String> get depfiles => <String>[
    'flutter_assets.d',
  ];

  @override
  Future<void> build(Environment environment) async {
459 460
    final String? environmentBuildMode = environment.defines[kBuildMode];
    if (environmentBuildMode == null) {
461 462
      throw MissingDefineException(kBuildMode, name);
    }
463
    final BuildMode buildMode = getBuildModeForName(environmentBuildMode);
464
    final Directory frameworkDirectory = environment.outputDir.childDirectory('App.framework');
465
    final String frameworkBinaryPath = frameworkDirectory.childFile('App').path;
466 467 468 469 470 471 472
    final Directory assetDirectory = frameworkDirectory.childDirectory('flutter_assets');
    frameworkDirectory.createSync(recursive: true);
    assetDirectory.createSync();

    // Only copy the prebuilt runtimes and kernel blob in debug mode.
    if (buildMode == BuildMode.debug) {
      // Copy the App.framework to the output directory.
473 474 475
      environment.buildDir
        .childDirectory('App.framework')
        .childFile('App')
476
        .copySync(frameworkBinaryPath);
477

478 479
      final String vmSnapshotData = environment.artifacts.getArtifactPath(Artifact.vmSnapshotData, mode: BuildMode.debug);
      final String isolateSnapshotData = environment.artifacts.getArtifactPath(Artifact.isolateSnapshotData, mode: BuildMode.debug);
480 481
      environment.buildDir.childFile('app.dill')
          .copySync(assetDirectory.childFile('kernel_blob.bin').path);
482
      environment.fileSystem.file(vmSnapshotData)
483
          .copySync(assetDirectory.childFile('vm_snapshot_data').path);
484
      environment.fileSystem.file(isolateSnapshotData)
485 486 487
          .copySync(assetDirectory.childFile('isolate_snapshot_data').path);
    } else {
      environment.buildDir.childDirectory('App.framework').childFile('App')
488
        .copySync(frameworkBinaryPath);
489 490 491
    }

    // Copy the assets.
492 493 494 495 496
    final Depfile assetDepfile = await copyAssets(
      environment,
      assetDirectory,
      targetPlatform: TargetPlatform.ios,
    );
497
    final DepfileService depfileService = DepfileService(
498 499
      fileSystem: environment.fileSystem,
      logger: environment.logger,
500 501 502 503 504
    );
    depfileService.writeToFile(
      assetDepfile,
      environment.buildDir.childFile('flutter_assets.d'),
    );
505 506

    // Copy the plist from either the project or module.
507
    // TODO(zanderso): add plist to inputs
508
    final FlutterProject flutterProject = FlutterProject.fromDirectory(environment.projectDir);
509
    flutterProject.ios.appFrameworkInfoPlist
510 511 512
      .copySync(environment.outputDir
      .childDirectory('App.framework')
      .childFile('Info.plist').path);
513 514

    _signFramework(environment, frameworkBinaryPath, buildMode);
515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542
  }
}

/// Build a debug iOS application bundle.
class DebugIosApplicationBundle extends IosAssetBundle {
  const DebugIosApplicationBundle();

  @override
  String get name => 'debug_ios_bundle_flutter_assets';

  @override
  List<Source> get inputs => <Source>[
    const Source.artifact(Artifact.vmSnapshotData, mode: BuildMode.debug),
    const Source.artifact(Artifact.isolateSnapshotData, mode: BuildMode.debug),
    const Source.pattern('{BUILD_DIR}/app.dill'),
    ...super.inputs,
  ];

  @override
  List<Source> get outputs => <Source>[
    const Source.pattern('{OUTPUT_DIR}/App.framework/flutter_assets/vm_snapshot_data'),
    const Source.pattern('{OUTPUT_DIR}/App.framework/flutter_assets/isolate_snapshot_data'),
    const Source.pattern('{OUTPUT_DIR}/App.framework/flutter_assets/kernel_blob.bin'),
    ...super.outputs,
  ];

  @override
  List<Target> get dependencies => <Target>[
543
    const DebugUniversalFramework(),
544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573
    ...super.dependencies,
  ];
}

/// Build a profile iOS application bundle.
class ProfileIosApplicationBundle extends IosAssetBundle {
  const ProfileIosApplicationBundle();

  @override
  String get name => 'profile_ios_bundle_flutter_assets';

  @override
  List<Target> get dependencies => const <Target>[
    AotAssemblyProfile(),
  ];
}

/// Build a release iOS application bundle.
class ReleaseIosApplicationBundle extends IosAssetBundle {
  const ReleaseIosApplicationBundle();

  @override
  String get name => 'release_ios_bundle_flutter_assets';

  @override
  List<Target> get dependencies => const <Target>[
    AotAssemblyRelease(),
  ];
}

xster's avatar
xster committed
574 575 576 577 578
/// Create an App.framework for debug iOS targets.
///
/// This framework needs to exist for the Xcode project to link/bundle,
/// but it isn't actually executed. To generate something valid, we compile a trivial
/// constant.
579
Future<void> _createStubAppFramework(File outputFile, Environment environment,
580
    Set<String>? iosArchNames, String sdkRoot) async {
xster's avatar
xster committed
581 582
  try {
    outputFile.createSync(recursive: true);
583 584
  } on Exception catch (e) {
    throwToolExit('Failed to create App.framework stub at ${outputFile.path}: $e');
xster's avatar
xster committed
585 586
  }

587 588
  final FileSystem fileSystem = environment.fileSystem;
  final Directory tempDir = fileSystem.systemTempDirectory
589
    .createTempSync('flutter_tools_stub_source.');
xster's avatar
xster committed
590 591 592 593 594 595
  try {
    final File stubSource = tempDir.childFile('debug_app.cc')
      ..writeAsStringSync(r'''
  static const int Moo = 88;
  ''');

596
    final EnvironmentType? environmentType = environmentTypeFromSdkroot(sdkRoot, fileSystem);
597

598
    await globals.xcode!.clang(<String>[
xster's avatar
xster committed
599 600
      '-x',
      'c',
601
      for (String arch in iosArchNames ?? <String>{}) ...<String>['-arch', arch],
xster's avatar
xster committed
602 603
      stubSource.path,
      '-dynamiclib',
604
      '-fembed-bitcode-marker',
605
      // Keep version in sync with AOTSnapshotter flag
606
      if (environmentType == EnvironmentType.physical)
607
        '-miphoneos-version-min=11.0'
608
      else
609
        '-miphonesimulator-version-min=11.0',
xster's avatar
xster committed
610 611 612
      '-Xlinker', '-rpath', '-Xlinker', '@executable_path/Frameworks',
      '-Xlinker', '-rpath', '-Xlinker', '@loader_path/Frameworks',
      '-install_name', '@rpath/App.framework/App',
613
      '-isysroot', sdkRoot,
xster's avatar
xster committed
614 615 616 617 618
      '-o', outputFile.path,
    ]);
  } finally {
    try {
      tempDir.deleteSync(recursive: true);
619
    } on FileSystemException {
xster's avatar
xster committed
620
      // Best effort. Sometimes we can't delete things from system temp.
621 622
    } on Exception catch (e) {
      throwToolExit('Failed to create App.framework stub at ${outputFile.path}: $e');
xster's avatar
xster committed
623 624
    }
  }
625 626 627 628 629

  _signFramework(environment, outputFile.path, BuildMode.debug);
}

void _signFramework(Environment environment, String binaryPath, BuildMode buildMode) {
630
  String? codesignIdentity = environment.defines[kCodesignIdentity];
631
  if (codesignIdentity == null || codesignIdentity.isEmpty) {
632
    codesignIdentity = '-';
633
  }
634
  final ProcessResult result = environment.processManager.runSync(<String>[
635 636 637 638 639 640 641 642 643 644
    'codesign',
    '--force',
    '--sign',
    codesignIdentity,
    if (buildMode != BuildMode.release) ...<String>[
      // Mimic Xcode's timestamp codesigning behavior on non-release binaries.
      '--timestamp=none',
    ],
    binaryPath,
  ]);
645 646
  if (result.exitCode != 0) {
    throw Exception('Failed to codesign $binaryPath with identity $codesignIdentity.\n${result.stderr}');
647
  }
xster's avatar
xster committed
648
}