forked from microsoft/VirtualClient
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathRunProfileCommand.cs
964 lines (812 loc) · 44.8 KB
/
RunProfileCommand.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
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
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
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
543
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
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.
namespace VirtualClient
{
using System;
using System.Collections.Generic;
using System.Globalization;
using System.IO;
using System.IO.Abstractions;
using System.Linq;
using System.Net;
using System.Net.Http;
using System.Reflection;
using System.Runtime.InteropServices;
using System.Threading;
using System.Threading.Tasks;
using Azure.Storage.Blobs;
using Microsoft.CodeAnalysis;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Logging;
using Newtonsoft.Json;
using Polly;
using VirtualClient.Common;
using VirtualClient.Common.Contracts;
using VirtualClient.Common.Extensions;
using VirtualClient.Common.Telemetry;
using VirtualClient.Contracts;
using VirtualClient.Contracts.Metadata;
using VirtualClient.Contracts.Validation;
using VirtualClient.Metadata;
/// <summary>
/// Command executes the operations of the Virtual Client workload profile. This is the
/// default/root command for the Virtual Client application.
/// </summary>
internal class RunProfileCommand : CommandBase
{
private static readonly Uri DefaultBlobStoreUri = new Uri("https://virtualclient.blob.core.windows.net/");
private const string DefaultMonitorsProfile = "MONITORS-DEFAULT.json";
private const string NoMonitorsProfile = "MONITORS-NONE.json";
private const string FileUploadMonitorProfile = "MONITORS-FILE-UPLOAD.json";
/// <summary>
/// True if VC should exit/crash on first/any error(s) regardless of their severity. Default = false.
/// </summary>
public bool? FailFast { get; set; }
/// <summary>
/// True if the profile dependencies should be installed as the only operations. False if
/// the profile actions and monitors should also be considered.
/// </summary>
public bool InstallDependencies { get; set; }
/// <summary>
/// The path to the environment layout .json file.
/// </summary>
public string LayoutPath { get; set; }
/// <summary>
/// The workload/monitoring profiles to execute (e.g. PERF-CPU-OPENSSL.json).
/// </summary>
public IEnumerable<DependencyProfileReference> Profiles { get; set; }
/// <summary>
/// A seed that can be used to guarantee identical randomization bases for workloads that
/// require it.
/// </summary>
public int RandomizationSeed { get; set; }
/// <summary>
/// Defines a set of scenarios (as defined in a workload profile) to execute
/// (vs. the entire profile).
/// </summary>
public IEnumerable<string> Scenarios { get; set; }
/// <summary>
/// Defines the application timeout constraints. The timing logic supports explicit timeouts as
/// well as explicit rounds/iterations of profile actions. The 2 cannot be used together. The command
/// line parsing logic will not allow 2 parameters to have the same name, so the duplication of the
/// <see cref="ProfileTiming"/> parameter here is a workaround.
/// </summary>
public ProfileTiming Iterations { get; set; }
/// <summary>
/// Defines the application timeout constraints.
/// </summary>
public ProfileTiming Timeout { get; set; }
/// <summary>
/// Platform extensions discovered at runtime (e.g. binaries/.dlls, profiles).
/// </summary>
protected PlatformExtensions Extensions { get; set; }
/// <summary>
/// Executes the profile operations.
/// </summary>
/// <param name="args">The arguments provided to the application on the command line.</param>
/// <param name="cancellationTokenSource">Provides a token that can be used to cancel the command operations.</param>
/// <returns>The exit code for the command operations.</returns>
public override async Task<int> ExecuteAsync(string[] args, CancellationTokenSource cancellationTokenSource)
{
int exitCode = 0;
ILogger logger = null;
IPackageManager packageManager = null;
ISystemManagement systemManagement = null;
IServiceCollection dependencies = null;
CancellationToken cancellationToken = cancellationTokenSource.Token;
try
{
// When timing constraints/hints are not provided on the command line, we run the
// application until it is explicitly stopped by the user or automation.
if (this.Timeout == null && this.Iterations == null)
{
this.Timeout = ProfileTiming.Forever();
}
if (!string.IsNullOrWhiteSpace(this.ContentPathTemplate))
{
VirtualClientComponent.ContentPathTemplate = this.ContentPathTemplate;
}
this.SetGlobalTelemetryProperties(args);
// 1) Setup any dependencies required to execute the workload profile.
dependencies = this.InitializeDependencies(args);
logger = dependencies.GetService<ILogger>();
packageManager = dependencies.GetService<IPackageManager>();
systemManagement = dependencies.GetService<ISystemManagement>();
EventContext telemetryContext = EventContext.Persisted();
if (this.IsCleanRequested)
{
await this.CleanAsync(systemManagement, cancellationToken, logger);
}
logger.LogMessage($"Platform.Initialize", telemetryContext);
this.LogContextToConsole(dependencies);
// Extracts and registers any packages that are pre-existing on the system (e.g. they exist in
// the 'packages' directory already).
await this.InitializePackagesAsync(packageManager, cancellationToken);
// Ensure all Virtual Client types are loaded from .dlls in the execution directory.
ComponentTypeCache.Instance.LoadComponentTypes(AppDomain.CurrentDomain.BaseDirectory);
// Installs any extensions that are pre-existing on the system (e.g. they exist in
// the 'packages' directory already).
this.Extensions = await this.DiscoverExtensionsAsync(packageManager, cancellationToken);
if (this.Extensions?.Binaries?.Any() == true)
{
await this.LoadExtensionsBinariesAsync(this.Extensions, cancellationToken);
}
IEnumerable<string> profileNames = await this.EvaluateProfilesAsync(dependencies);
this.SetGlobalTelemetryProperties(profileNames, dependencies);
this.SetHostMetadataTelemetryProperties(profileNames, dependencies);
IEnumerable<string> effectiveProfiles = await this.EvaluateProfilesAsync(dependencies, true, cancellationToken);
if (this.InstallDependencies)
{
await this.ExecuteProfileDependenciesInstallationAsync(effectiveProfiles, dependencies, cancellationTokenSource);
}
else
{
await this.ExecuteProfileAsync(effectiveProfiles, dependencies, cancellationTokenSource);
}
}
catch (OperationCanceledException)
{
// Expected when the Ctrl-C is pressed to cancel operation.
}
catch (NotSupportedException exc)
{
Program.LogErrorMessage(logger, exc, EventContext.Persisted());
exitCode = (int)ErrorReason.NotSupported;
}
catch (VirtualClientException exc)
{
Program.LogErrorMessage(logger, exc, EventContext.Persisted());
exitCode = (int)exc.Reason;
}
catch (Exception exc)
{
Program.LogErrorMessage(logger, exc, EventContext.Persisted());
exitCode = 1;
}
finally
{
// In order to include all of the experiment + agent etc... context, we need to
// get the current/persisted context.
EventContext exitingContext = EventContext.Persisted();
// Allow components to handle any final exit operations.
VirtualClientRuntime.OnExiting();
if (VirtualClientRuntime.IsRebootRequested)
{
Program.LogMessage(logger, $"{nameof(RunProfileCommand)}.RebootingSystem", exitingContext);
}
Program.LogMessage(logger, $"{nameof(RunProfileCommand)}.End", exitingContext);
Program.LogMessage(logger, $"Exit Code: {exitCode}", exitingContext);
TimeSpan remainingWait = TimeSpan.FromMinutes(2);
if (this.ExitWaitTimeout != DateTime.MinValue)
{
remainingWait = this.ExitWaitTimeout.SafeSubtract(DateTime.UtcNow);
}
if (remainingWait <= TimeSpan.Zero && this.ExitWait > TimeSpan.Zero)
{
remainingWait = TimeSpan.FromMinutes(2);
}
Program.LogMessage(logger, $"Flush Telemetry", exitingContext);
DependencyFactory.FlushTelemetry(remainingWait);
Program.LogMessage(logger, $"Flushed", exitingContext);
DependencyFactory.FlushTelemetry(TimeSpan.FromMinutes(1));
// Allow components to handle any final cleanup operations.
VirtualClientRuntime.OnCleanup();
// Reboots must happen after telemetry is flushed and just before the application is exiting. This ensures
// we capture all important telemetry and allow the profile execution operations to exit gracefully before
// we suddenly reboot the system.
if (VirtualClientRuntime.IsRebootRequested)
{
await CommandBase.RebootSystemAsync(dependencies)
.ConfigureAwait(false);
}
}
return exitCode;
}
/// <summary>
/// Downloads the profile from a remote location to the local profile downloads folder.
/// </summary>
/// <param name="dependencies">Provides components used to access external dependencies.</param>
/// <param name="profile">Describes the endpoint target profile (and authentication requirements) to download to the local system.</param>
/// <param name="profilePath">The full file path to which the profile should be downloaded.</param>
/// <param name="cancellationToken">A token that can be used to cancel the operations.</param>
protected virtual async Task DownloadProfileAsync(IServiceCollection dependencies, DependencyProfileReference profile, string profilePath, CancellationToken cancellationToken)
{
IFileSystem fileSystem = dependencies.GetService<IFileSystem>();
IProfileManager profileManager = dependencies.GetService<IProfileManager>();
string downloadDirectory = Path.GetDirectoryName(profilePath);
if (!fileSystem.Directory.Exists(downloadDirectory))
{
fileSystem.Directory.CreateDirectory(downloadDirectory);
}
using (var fs = new FileStream(profilePath, FileMode.Create, FileAccess.Write, FileShare.Write))
{
await profileManager.DownloadProfileAsync(profile.ProfileUri, fs, cancellationToken, profile.Credentials);
}
}
/// <summary>
/// Initializes the profiles specified on the command line and returns the full path location for
/// each of the files.
/// </summary>
/// <param name="dependencies">Provides components for accessing external system resources.</param>
/// <param name="initialize">True to perform any initialization steps required to make the profiles available.</param>
/// <param name="cancellationToken">A token that can be used to cancel the operations.</param>
protected async Task<IEnumerable<string>> EvaluateProfilesAsync(IServiceCollection dependencies, bool initialize = false, CancellationToken cancellationToken = default(CancellationToken))
{
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
IFileSystem fileSystem = systemManagement.FileSystem;
List<string> effectiveProfiles = new List<string>();
foreach (DependencyProfileReference profileReference in this.Profiles)
{
string profileFullPath = null;
if (profileReference.ProfileUri != null)
{
// The profile downloaded from internet will live in /profiles/downloads directory and not
// interfere with the out-of-box or extensions profiles.
profileFullPath = systemManagement.PlatformSpecifics.GetProfileDownloadsPath(profileReference.ProfileName);
if (initialize && !cancellationToken.IsCancellationRequested)
{
await this.DownloadProfileAsync(dependencies, profileReference, profileFullPath, cancellationToken);
}
}
else if (profileReference.IsFullPath)
{
profileFullPath = systemManagement.PlatformSpecifics.StandardizePath(profileReference.ProfileName);
}
else
{
string profileName = profileReference.ProfileName;
profileFullPath = systemManagement.PlatformSpecifics.GetProfilePath(profileName);
if (BackwardsCompatibility.TryMapProfile(profileName, out string remappedProfile))
{
profileName = remappedProfile;
}
// If the profile defined is not a full path to a profile located on the system, then we
// fallback to looking for the profile in the 'profiles' directory within the Virtual Client
// parent directory itself or in any platform extensions locations.
string pathFound;
if (this.TryGetProfileFromDefaultLocation(systemManagement, profileName, out pathFound)
|| this.TryGetProfileFromDownloadsLocation(systemManagement, profileName, out pathFound)
|| this.TryGetProfileFromExtensionsLocation(profileName, out pathFound))
{
profileFullPath = pathFound;
}
}
if (initialize && !fileSystem.File.Exists(profileFullPath))
{
// If the profile defined is not a full path to a profile located on the system, then we
// fallback to looking for the profile in the 'profiles' directory within the Virtual Client
// parent directory itself or in any platform extensions locations.
throw new DependencyException(
$"Profile not found. Profile does not exist at the path '{profileFullPath}' nor in any extensions location.",
ErrorReason.ProfileNotFound);
}
effectiveProfiles.Add(profileFullPath);
}
return effectiveProfiles;
}
/// <summary>
/// Initializes dependencies required by Virtual Client application operations.
/// </summary>
protected override IServiceCollection InitializeDependencies(string[] args)
{
IServiceCollection dependencies = base.InitializeDependencies(args);
PlatformSpecifics platformSpecifics = dependencies.GetService<PlatformSpecifics>();
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
ILogger logger = dependencies.GetService<ILogger>();
Program.Logger = logger;
dependencies.AddSingleton<ProfileTiming>(this.Timeout ?? this.Iterations);
// Note that a bug was found in the version of "lshw" (B.02.18) that is installed on some Ubuntu images. The bug causes the
// lshw application to return a "Segmentation Fault" error. We built the "lshw" command from the
// GitHub site where it is maintained that has the bug fix for this. This custom built version is included
// in the built-in packages for VC.
if (systemManagement.DiskManager is UnixDiskManager)
{
DependencyPath lshwPackage = systemManagement.PackageManager.GetPackageAsync(PackageManager.BuiltInLshwPackageName, CancellationToken.None)
.GetAwaiter().GetResult();
if (lshwPackage != null)
{
lshwPackage = systemManagement.PlatformSpecifics.ToPlatformSpecificPath(
lshwPackage,
platformSpecifics.Platform,
platformSpecifics.CpuArchitecture);
if (systemManagement.FileSystem.Directory.Exists(lshwPackage.Path))
{
string lshwPath = Path.Combine(lshwPackage.Path, PackageManager.BuiltInLshwPackageName);
systemManagement.MakeFileExecutableAsync(lshwPath, platformSpecifics.Platform, CancellationToken.None)
.GetAwaiter().GetResult();
(systemManagement.DiskManager as UnixDiskManager).LshwExecutable = lshwPath;
}
}
}
// Ensure profiles can be validated as correct.
ExecutionProfileValidation.Instance.AddRange(new List<IValidationRule<ExecutionProfile>>()
{
SchemaRules.Instance
});
return dependencies;
}
/// <summary>
/// Initializes the profile that will be executed.
/// </summary>
protected async Task<ExecutionProfile> InitializeProfilesAsync(IEnumerable<string> profiles, IServiceCollection dependencies, CancellationToken cancellationToken)
{
List<string> allProfiles = new List<string>();
ExecutionProfile profile = await this.ReadExecutionProfileAsync(profiles.First(), dependencies, cancellationToken)
.ConfigureAwait(false);
this.InitializeProfile(profile);
if (profiles.Count() > 1)
{
foreach (string additionalProfile in profiles.Skip(1))
{
ExecutionProfile otherProfile = await this.ReadExecutionProfileAsync(additionalProfile, dependencies, cancellationToken)
.ConfigureAwait(false);
this.InitializeProfile(otherProfile);
profile = profile.MergeWith(otherProfile);
}
}
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
// If we are not just installing dependencies, then we may include a default monitor
// profile.
if (!this.InstallDependencies)
{
if (profile.Actions.Any()
&& !profiles.Any(p => p.Contains(RunProfileCommand.NoMonitorsProfile, StringComparison.OrdinalIgnoreCase))
&& !profile.Monitors.Any())
{
// We always run the default monitoring profile if a specific monitor profile is not provided.
string defaultMonitorProfilePath = systemManagement.PlatformSpecifics.GetProfilePath(RunProfileCommand.DefaultMonitorsProfile);
ExecutionProfile defaultMonitorProfile = await this.ReadExecutionProfileAsync(defaultMonitorProfilePath, dependencies, cancellationToken)
.ConfigureAwait(false);
this.InitializeProfile(defaultMonitorProfile);
profile = profile.MergeWith(defaultMonitorProfile);
}
}
// Adding file upload monitoring if the user has supplied a content store or Proxy Api Uri.
if (this.ContentStore != null || this.ProxyApiUri != null)
{
string fileUploadMonitorProfilePath = systemManagement.PlatformSpecifics.GetProfilePath(RunProfileCommand.FileUploadMonitorProfile);
ExecutionProfile fileUploadMonitorProfile = await this.ReadExecutionProfileAsync(fileUploadMonitorProfilePath, dependencies, cancellationToken)
.ConfigureAwait(false);
this.InitializeProfile(fileUploadMonitorProfile);
profile = profile.MergeWith(fileUploadMonitorProfile);
}
MetadataContract.Persist(
profile.Metadata.Keys.ToDictionary(key => key, entry => profile.Metadata[entry] as object).ObscureSecrets(),
MetadataContractCategory.Default);
return profile;
}
/// <summary>
/// Loads/Reads the environment layout file provided to the Virtual Client on the command line.
/// </summary>
protected async Task<EnvironmentLayout> ReadEnvironmentLayoutAsync(IServiceCollection dependencies, CancellationToken cancellationToken)
{
EnvironmentLayout layout = null;
if (!cancellationToken.IsCancellationRequested)
{
if (!string.IsNullOrWhiteSpace(this.LayoutPath))
{
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
ILogger logger = dependencies.GetService<ILogger>();
string layoutFullPath = systemManagement.PlatformSpecifics.StandardizePath(Path.GetFullPath(this.LayoutPath));
if (!systemManagement.FileSystem.File.Exists(layoutFullPath))
{
throw new FileNotFoundException(
$"Invalid path specified. An environment layout file does not exist at path '{layoutFullPath}'.");
}
string layoutContent = await systemManagement.FileSystem.File.ReadAllTextAsync(layoutFullPath)
.ConfigureAwait(false);
layout = layoutContent.FromJson<EnvironmentLayout>();
}
}
return layout;
}
/// <summary>
/// Loads/reads the execution profile file provided to the Virtual Client on the command line.
/// </summary>
protected async Task<ExecutionProfile> ReadExecutionProfileAsync(string path, IServiceCollection dependencies, CancellationToken cancellationToken)
{
// string profilePath = path;
ExecutionProfile profile = null;
if (!cancellationToken.IsCancellationRequested)
{
ConsoleLogger.Default.LogMessage($"Execution Profile: {Path.GetFileNameWithoutExtension(path)}", EventContext.Persisted());
IFileSystem fileSystem = dependencies.GetService<IFileSystem>();
string profileContent = (await fileSystem.File.ReadAllTextAsync(path)).Trim();
// JSON profile content will always start with a '{' character
if (profileContent.StartsWith("{", StringComparison.OrdinalIgnoreCase))
{
profile = JsonConvert.DeserializeObject<ExecutionProfile>(profileContent);
profile.ProfileFormat = "JSON";
}
else
{
var yamlSerializer = new YamlDotNet.Serialization.DeserializerBuilder()
.WithTypeConverter(new YamlParameterDictionaryTypeConverter())
.Build();
ExecutionProfileYamlShim profileShim = yamlSerializer.Deserialize<ExecutionProfileYamlShim>(profileContent);
profile = new ExecutionProfile(profileShim);
profile.ProfileFormat = "YAML";
}
}
return profile;
}
/// <summary>
/// Initializes the global/persistent telemetry properties that will be included
/// with all telemetry emitted from the Virtual Client.
/// </summary>
/// <param name="args">The command line arguments.</param>
protected override void SetGlobalTelemetryProperties(string[] args)
{
// Additional persistent/global telemetry properties in addition to the ones
// added on application startup.
EventContext.PersistentProperties.AddRange(new Dictionary<string, object>
{
["experimentId"] = this.ExperimentId.ToLowerInvariant()
});
base.SetGlobalTelemetryProperties(args);
DependencyProfileReference profile = this.Profiles.First();
string profilePath = profile.ProfileName;
string profileName = Path.GetFileName(profilePath);
string platformSpecificProfileName = PlatformSpecifics.GetProfileName(profileName, Environment.OSVersion.Platform, RuntimeInformation.ProcessArchitecture);
// Additional persistent/global telemetry properties in addition to the ones
// added on application startup.
EventContext.PersistentProperties.AddRange(new Dictionary<string, object>
{
// Ex: PERF-CPU-OPENSSL (win-x64)
["executionProfile"] = platformSpecificProfileName,
// Ex: PERF-CPU-OPENSSL.json
["executionProfileName"] = profileName
});
}
/// <summary>
/// Initializes the global/persistent telemetry properties that will be included
/// with all telemetry emitted from the Virtual Client.
/// </summary>
protected void SetGlobalTelemetryProperties(ExecutionProfile profile)
{
// Additional persistent/global telemetry properties in addition to the ones
// added on application startup.
EventContext.PersistentProperties.AddRange(new Dictionary<string, object>
{
["executionProfileDescription"] = profile.Description,
["profileFriendlyName"] = profile.Description,
});
}
/// <summary>
/// Initializes the global/persistent telemetry properties that will be included
/// with all telemetry emitted from the Virtual Client.
/// </summary>
protected void SetGlobalTelemetryProperties(IEnumerable<string> profiles, IServiceCollection dependencies)
{
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
string profile = profiles.First();
string profileFullPath = systemManagement.PlatformSpecifics.StandardizePath(Path.GetFullPath(profile));
// Additional persistent/global telemetry properties in addition to the ones
// added on application startup.
EventContext.PersistentProperties.AddRange(new Dictionary<string, object>
{
["executionProfilePath"] = profileFullPath
});
}
/// <summary>
/// Initializes the global/persistent telemetry properties that will be included
/// with all telemetry emitted from the Virtual Client.
/// </summary>
protected void SetHostMetadataTelemetryProperties(IEnumerable<string> profiles, IServiceCollection dependencies)
{
ILogger logger = dependencies.GetService<ILogger>();
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
IDictionary<string, object> hostMetadata = systemManagement.GetHostMetadataAsync(logger)
.GetAwaiter().GetResult();
// Hardware Parts metadata contains information on the physical hardware
// parts on the system (e.g. CPU, memory chips, network cards).
hostMetadata.AddRange(systemManagement.GetHardwarePartsMetadataAsync(logger)
.GetAwaiter().GetResult());
List<IDictionary<string, object>> partsMetadata = new List<IDictionary<string, object>>();
MetadataContract.Persist(
hostMetadata,
MetadataContractCategory.Host);
MetadataContract.Persist(
new Dictionary<string, object>
{
{ "exitWait", this.ExitWait },
{ "layout", this.LayoutPath },
{ "logToFile", this.LogToFile },
{ "iterations", this.Iterations?.ProfileIterations },
{ "profiles", string.Join(",", profiles.Select(p => Path.GetFileName(p))) },
{ "timeout", this.Timeout?.Duration },
{ "timeoutScope", this.Timeout?.LevelOfDeterminism.ToString() },
{ "scenarios", this.Scenarios != null ? string.Join(",", this.Scenarios) : null },
},
MetadataContractCategory.Runtime);
}
private async Task CaptureSystemInfoAsync(IServiceCollection dependencies, CancellationToken cancellationToken)
{
try
{
ILogger logger = dependencies.GetService<ILogger>();
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
IEnumerable<IDictionary<string, IConvertible>> systemDetails = await systemManagement.GetSystemDetailedInfoAsync(cancellationToken)
.ConfigureAwait(false);
if (systemDetails?.Any() == true)
{
foreach (var entry in systemDetails)
{
if (entry.TryGetValue("toolset", out IConvertible toolset) && !string.IsNullOrWhiteSpace(toolset?.ToString()))
{
logger.LogSystemEvent(
"SystemInfo",
toolset.ToString(),
$"systeminfo_{toolset}".ToLowerInvariant(),
LogLevel.Information,
EventContext.Persisted(),
eventInfo: entry.ToDictionary(e => e.Key, e => e.Value as object));
}
}
}
}
catch
{
// Best Effort only
}
}
private async Task<PlatformExtensions> DiscoverExtensionsAsync(IPackageManager packageManager, CancellationToken cancellationToken)
{
return await packageManager.DiscoverExtensionsAsync(cancellationToken);
}
private async Task ExecuteProfileDependenciesInstallationAsync(IEnumerable<string> profiles, IServiceCollection dependencies, CancellationTokenSource cancellationTokenSource)
{
CancellationToken cancellationToken = cancellationTokenSource.Token;
IFileSystem fileSystem = dependencies.GetService<IFileSystem>();
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
ILogger logger = dependencies.GetService<ILogger>();
EventContext telemetryContext = EventContext.Persisted();
// The user can supply more than 1 profile on the command line. The individual profiles will be merged
// into a single profile for execution.
ExecutionProfile profile = await this.InitializeProfilesAsync(profiles, dependencies, cancellationToken)
.ConfigureAwait(false);
telemetryContext.AddContext("executionProfileActions", profile.Actions?.Select(d => new
{
type = d.Type,
parameters = d.Parameters?.ObscureSecrets()
}));
telemetryContext.AddContext("executionProfileDependencies", profile.Dependencies?.Select(d => new
{
type = d.Type,
parameters = d.Parameters?.ObscureSecrets()
}));
telemetryContext.AddContext("executionProfileMonitors", profile.Monitors?.Select(d => new
{
type = d.Type,
parameters = d.Parameters?.ObscureSecrets()
}));
this.SetGlobalTelemetryProperties(profile);
await this.CaptureSystemInfoAsync(dependencies, cancellationToken)
.ConfigureAwait(false);
// The environment layout provides information for other Virtual Client instances
// that may be a part of the workload execution. This enables support for client/server
// workload requirements.
EnvironmentLayout environmentLayout = await this.ReadEnvironmentLayoutAsync(dependencies, cancellationToken)
.ConfigureAwait(false);
if (environmentLayout != null)
{
dependencies.AddSingleton<EnvironmentLayout>(environmentLayout);
telemetryContext.AddContext("layout", environmentLayout);
}
logger.LogMessage($"ProfileExecution.Begin", telemetryContext);
// Only dependencies defined in the profile will be considered.
using (ProfileExecutor profileExecutor = new ProfileExecutor(profile, dependencies, this.Scenarios, logger))
{
profileExecutor.ExecuteActions = false;
profileExecutor.ExecuteMonitors = false;
profileExecutor.ExitWait = this.ExitWait;
profileExecutor.FailFast = this.FailFast;
profileExecutor.LogToFile = this.LogToFile;
profileExecutor.BeforeExiting += (source, args) =>
{
this.ExitWaitTimeout = DateTime.UtcNow.SafeAdd(this.ExitWait);
};
await profileExecutor.ExecuteAsync(ProfileTiming.OneIteration(), cancellationToken)
.ConfigureAwait(false);
}
// If the dependencies installed include any packages that contain extensions, the extensions will
// be installed/integrated into the VC runtime. This might include additional profiles or binaries
// that contain actions, monitors or dependency component definitions.
await this.DiscoverExtensionsAsync(systemManagement.PackageManager, CancellationToken.None)
.ConfigureAwait(false);
}
private async Task ExecuteProfileAsync(IEnumerable<string> profiles, IServiceCollection dependencies, CancellationTokenSource cancellationTokenSource)
{
CancellationToken cancellationToken = cancellationTokenSource.Token;
IFileSystem fileSystem = dependencies.GetService<IFileSystem>();
ISystemManagement systemManagement = dependencies.GetService<ISystemManagement>();
ILogger logger = dependencies.GetService<ILogger>();
EventContext telemetryContext = EventContext.Persisted();
// The user can supply more than 1 profile on the command line. The individual profiles will be merged
// into a single profile for execution.
ExecutionProfile profile = await this.InitializeProfilesAsync(profiles, dependencies, cancellationToken)
.ConfigureAwait(false);
telemetryContext.AddContext("executionProfileActions", profile.Actions?.Select(d => new
{
type = d.Type,
parameters = d.Parameters?.ObscureSecrets()
}));
telemetryContext.AddContext("executionProfileDependencies", profile.Dependencies?.Select(d => new
{
type = d.Type,
parameters = d.Parameters?.ObscureSecrets()
}));
telemetryContext.AddContext("executionProfileMonitors", profile.Monitors?.Select(d => new
{
type = d.Type,
parameters = d.Parameters?.ObscureSecrets()
}));
if (this.Timeout?.Duration != null && profile.Metadata?.TryGetValue("MinimumRequiredExecutionTime", out IConvertible minimumExecutionTime) == true)
{
if (TimeSpan.TryParse(minimumExecutionTime.ToString(), out TimeSpan minimumTime) && minimumTime > this.Timeout.Duration)
{
throw new StartupException(
$"The profile(s) supplied has actions/workloads or monitors that require a minimum required execution time of '{minimumTime}' " +
$"which is longer than the duration/timeout supplied on the command line '{this.Timeout.Duration}'. Increase the duration/timeout of the command line to " +
$"a length of time that is longer than the minimum required execution time.");
}
}
this.SetGlobalTelemetryProperties(profile);
await this.CaptureSystemInfoAsync(dependencies, cancellationToken)
.ConfigureAwait(false);
// The environment layout provides information for other Virtual Client instances
// that may be a part of the workload execution. This enables support for client/server
// workload requirements.
EnvironmentLayout environmentLayout = await this.ReadEnvironmentLayoutAsync(dependencies, cancellationToken)
.ConfigureAwait(false);
if (environmentLayout != null)
{
dependencies.AddSingleton<EnvironmentLayout>(environmentLayout);
telemetryContext.AddContext("layout", environmentLayout);
}
logger.LogMessage($"ProfileExecution.Begin", telemetryContext);
if (this.Timeout?.ProfileIterations != null)
{
logger.LogMessage($"Iterations: {this.Timeout.ProfileIterations}", telemetryContext);
}
else if (this.Timeout?.Duration != null)
{
logger.LogMessage($"Duration: {this.Timeout.Duration}", telemetryContext);
}
this.Validate(dependencies, profile);
using (ProfileExecutor profileExecutor = new ProfileExecutor(profile, dependencies, this.Scenarios, logger))
{
profileExecutor.RandomizationSeed = this.RandomizationSeed;
profileExecutor.ExitWait = this.ExitWait;
profileExecutor.FailFast = this.FailFast;
profileExecutor.LogToFile = this.LogToFile;
profileExecutor.BeforeExiting += (source, args) =>
{
this.ExitWaitTimeout = DateTime.UtcNow.SafeAdd(this.ExitWait);
};
// Profile timeout and iterations options are mutually-exclusive on the command line. They cannot be used
// at the same time.
await profileExecutor.ExecuteAsync(this.Timeout ?? this.Iterations, cancellationToken)
.ConfigureAwait(false);
}
}
private void InitializeProfile(ExecutionProfile profile)
{
if (this.Metadata?.Any() == true)
{
// Command-line metadata overrides metadata in the profile itself.
profile.Metadata.AddRange(this.Metadata, true);
}
if (this.Parameters?.Any() == true)
{
// Command-line parameters override parameters defined in the profile
// itself.
profile.Parameters.AddRange(this.Parameters, true);
}
ValidationResult result = ExecutionProfileValidation.Instance.Validate(profile);
result.ThrowIfInvalid();
profile.Inline();
}
private Task LoadExtensionsBinariesAsync(PlatformExtensions extensions, CancellationToken cancellationToken)
{
return Task.Run(() =>
{
if (extensions?.Binaries?.Any() == true)
{
IEnumerable<string> binaryDirectories = extensions.Binaries.Select(bin => bin.DirectoryName).Distinct();
if (binaryDirectories?.Any() == true)
{
foreach (string directory in binaryDirectories)
{
ComponentTypeCache.Instance.LoadComponentTypes(directory);
}
}
// Load supporting assemblies
foreach (IFileInfo binary in extensions.Binaries)
{
ComponentTypeCache.Instance.LoadAssembly(binary.FullName);
}
}
});
}
private void LogContextToConsole(IServiceCollection dependencies)
{
PlatformSpecifics platformSpecifics = dependencies.GetService<PlatformSpecifics>();
EventContext telemetryContext = EventContext.Persisted();
ConsoleLogger.Default.LogMessage($"Experiment ID: {this.ExperimentId}", telemetryContext);
ConsoleLogger.Default.LogMessage($"Agent ID: {this.AgentId}", telemetryContext);
ConsoleLogger.Default.LogMessage($"Log To File: {this.LogToFile}", telemetryContext);
ConsoleLogger.Default.LogMessage($"Log Directory: {platformSpecifics.LogsDirectory}", telemetryContext);
if (!string.IsNullOrWhiteSpace(this.LayoutPath))
{
string layoutFullPath = platformSpecifics.StandardizePath(Path.GetFullPath(this.LayoutPath));
ConsoleLogger.Default.LogMessage($"Environment Layout: {layoutFullPath}", telemetryContext);
}
if (this.Timeout?.Duration != null)
{
switch (this.Timeout.LevelOfDeterminism)
{
case DeterminismScope.AllActions:
ConsoleLogger.Default.LogMessage($"Duration: {this.Timeout.Duration},deterministic*", telemetryContext);
break;
case DeterminismScope.IndividualAction:
ConsoleLogger.Default.LogMessage($"Duration: {this.Timeout.Duration},deterministic", telemetryContext);
break;
default:
ConsoleLogger.Default.LogMessage($"Duration: {this.Timeout.Duration}", telemetryContext);
break;
}
}
if (this.Iterations?.ProfileIterations != null)
{
ConsoleLogger.Default.LogMessage($"Iterations: {this.Iterations.ProfileIterations}", telemetryContext);
}
}
private bool TryGetProfileFromDefaultLocation(ISystemManagement systemManagement, string profileName, out string profilePath)
{
profilePath = null;
string filePath = systemManagement.PlatformSpecifics.GetProfilePath(profileName);
if (systemManagement.FileSystem.File.Exists(filePath))
{
profilePath = filePath;
}
return profilePath != null;
}
private bool TryGetProfileFromDownloadsLocation(ISystemManagement systemManagement, string profileName, out string profilePath)
{
profilePath = null;
string filePath = systemManagement.PlatformSpecifics.GetProfileDownloadsPath(profileName);
if (systemManagement.FileSystem.File.Exists(filePath))
{
profilePath = filePath;
}
return profilePath != null;
}
private bool TryGetProfileFromExtensionsLocation(string profileName, out string profilePath)
{
profilePath = null;
if (this.Extensions?.Profiles?.Any() == true)
{
IFileInfo file = this.Extensions.Profiles.FirstOrDefault(p => string.Equals(p.Name, profileName));
if (file != null && file.Exists)
{
profilePath = file.FullName;
}
}
return profilePath != null;
}
private void Validate(IServiceCollection dependencies, ExecutionProfile profile)
{
ProfileTiming timing = dependencies.GetService<ProfileTiming>();
if (profile.Metadata?.Any() == true
&& profile.Metadata.TryGetValue(ProfileMetadata.SupportsIterations, out IConvertible supportsIterations)
&& timing.ProfileIterations != null
&& supportsIterations.ToBoolean(CultureInfo.InvariantCulture) == false)
{
throw new NotSupportedException(
$"Iterations not supported. One or more of the profiles supplied on the command line have metadata indicating that " +
"iterations (e.g. --iterations) is not supported.");
}
}
}
}