-
-
Notifications
You must be signed in to change notification settings - Fork 15
/
Copy pathcompilesketches.py
1714 lines (1422 loc) · 76.6 KB
/
compilesketches.py
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
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import atexit
import time
import contextlib
import enum
import json
import os
import pathlib
import re
import shlex
import shutil
import subprocess
import sys
import tempfile
import urllib
import urllib.request
import git
import gitdb.exc
import github
import semver
import yaml
import yaml.parser
def main():
if "INPUT_SIZE-REPORT-SKETCH" in os.environ:
print("::warning::The size-report-sketch input is no longer used")
if "INPUT_SIZE-DELTAS-REPORT-FOLDER-NAME" in os.environ:
print(
"::warning::The size-deltas-report-folder-name input is deprecated. Use the equivalent input: "
"sketches-report-path instead."
)
os.environ["INPUT_SKETCHES-REPORT-PATH"] = os.environ["INPUT_SIZE-DELTAS-REPORT-FOLDER-NAME"]
if "INPUT_ENABLE-SIZE-DELTAS-REPORT" in os.environ:
print(
"::warning::The enable-size-deltas-report input is deprecated. Use the equivalent input: "
"enable-deltas-report instead."
)
os.environ["INPUT_ENABLE-DELTAS-REPORT"] = os.environ["INPUT_ENABLE-SIZE-DELTAS-REPORT"]
if "INPUT_ENABLE-SIZE-TRENDS-REPORT" in os.environ:
print(
"::warning::The size trends report feature has been moved to a dedicated action. See the documentation "
"at https://github.com/arduino/actions/tree/report-size-trends-action/libraries/report-size-trends"
)
compile_sketches = CompileSketches(
cli_version=os.environ["INPUT_CLI-VERSION"],
fqbn_arg=os.environ["INPUT_FQBN"],
platforms=os.environ["INPUT_PLATFORMS"],
libraries=os.environ["INPUT_LIBRARIES"],
sketch_paths=os.environ["INPUT_SKETCH-PATHS"],
cli_compile_flags=os.environ["INPUT_CLI-COMPILE-FLAGS"],
verbose=os.environ["INPUT_VERBOSE"],
github_token=os.environ["INPUT_GITHUB-TOKEN"],
enable_deltas_report=os.environ["INPUT_ENABLE-DELTAS-REPORT"],
enable_warnings_report=os.environ["INPUT_ENABLE-WARNINGS-REPORT"],
sketches_report_path=os.environ["INPUT_SKETCHES-REPORT-PATH"],
)
compile_sketches.compile_sketches()
class CompileSketches:
"""Methods for compilation testing of Arduino sketches.
Keyword arguments:
cli_version -- version of the Arduino CLI to use
fqbn_arg -- fully qualified board name of the board to compile for. Space separated list with Boards Manager URL if
needed
platforms -- YAML-format list of platforms to install
libraries -- YAML-format or space-separated list of libraries to install
sketch_paths -- space-separated list of paths containing sketches to compile. These paths will be searched
recursively for sketches.
cli_compile_flags -- Arbitrary Arduino CLI flags to add to the compile command.
verbose -- set to "true" for verbose output ("true", "false")
github_token -- GitHub access token
enable_deltas_report -- set to "true" to cause the action to determine the change in memory usage
("true", "false")
enable_warnings_report -- set to "true" to cause the action to add compiler warning count to the sketches report
("true", "false")
sketches_report_path -- folder to save the sketches report to
"""
class RunCommandOutput(enum.Enum):
NONE = enum.auto()
ON_FAILURE = enum.auto()
ALWAYS = enum.auto()
not_applicable_indicator = "N/A"
relative_size_report_decimal_places = 2
temporary_directory = tempfile.TemporaryDirectory(prefix="compilesketches-")
arduino_cli_installation_path = pathlib.Path.home().joinpath("bin")
arduino_cli_user_directory_path = pathlib.Path.home().joinpath("Arduino")
arduino_cli_data_directory_path = pathlib.Path.home().joinpath(".arduino15")
libraries_path = arduino_cli_user_directory_path.joinpath("libraries")
user_platforms_path = arduino_cli_user_directory_path.joinpath("hardware")
board_manager_platforms_path = arduino_cli_data_directory_path.joinpath("packages")
class ReportKeys:
boards = "boards"
board = "board"
commit_hash = "commit_hash"
commit_url = "commit_url"
compilation_success = "compilation_success"
sizes = "sizes"
warnings = "warnings"
name = "name"
absolute = "absolute"
relative = "relative"
current = "current"
previous = "previous"
delta = "delta"
minimum = "minimum"
maximum = "maximum"
sketches = "sketches"
dependency_name_key = "name"
dependency_version_key = "version"
dependency_source_path_key = "source-path"
dependency_source_url_key = "source-url"
dependency_destination_name_key = "destination-name"
latest_release_indicator = "latest"
def __init__(
self,
cli_version,
fqbn_arg,
platforms,
libraries,
sketch_paths,
cli_compile_flags,
verbose,
github_token,
enable_deltas_report,
enable_warnings_report,
sketches_report_path,
):
"""Process, store, and validate the action's inputs."""
self.cli_version = cli_version
parsed_fqbn_arg = parse_fqbn_arg_input(fqbn_arg=fqbn_arg)
self.fqbn = parsed_fqbn_arg["fqbn"]
self.additional_url = parsed_fqbn_arg["additional_url"]
self.platforms = platforms
self.libraries = libraries
# Save the space-separated list of paths as a Python list
sketch_paths = get_list_from_multiformat_input(input_value=sketch_paths)
absolute_sketch_paths = [absolute_path(path=sketch_path) for sketch_path in sketch_paths.value]
self.sketch_paths = absolute_sketch_paths
self.cli_compile_flags = yaml.load(stream=cli_compile_flags, Loader=yaml.SafeLoader)
self.verbose = parse_boolean_input(boolean_input=verbose)
if github_token == "":
# Access token is not needed for public repositories
self.github_api = github.Github()
else:
self.github_api = github.Github(login_or_token=github_token)
self.enable_deltas_report = parse_boolean_input(boolean_input=enable_deltas_report)
# The enable-deltas-report input has a default value so it should always be either True or False
if self.enable_deltas_report is None:
print("::error::Invalid value for enable-deltas-report input")
sys.exit(1)
self.enable_warnings_report = parse_boolean_input(boolean_input=enable_warnings_report)
# The enable-deltas-report input has a default value so it should always be either True or False
if self.enable_warnings_report is None:
print("::error::Invalid value for enable-warnings-report input")
sys.exit(1)
if self.enable_deltas_report:
self.deltas_base_ref = self.get_deltas_base_ref()
else:
# If deltas reports are not enabled, there is no use for the base ref and it could result in an GitHub API
# request which requires a GitHub token when used in a private repository
self.deltas_base_ref = None
self.sketches_report_path = pathlib.PurePath(sketches_report_path)
def get_deltas_base_ref(self):
"""Return the Git ref to make deltas comparisons against."""
if os.environ["GITHUB_EVENT_NAME"] == "pull_request":
# For pull requests, the comparison is done against the PR's base branch
return self.get_pull_request_base_ref()
else:
# For pushes, the base ref is the immediate parent
return get_parent_commit_ref()
def get_pull_request_base_ref(self):
"""Return the name of the pull request's base branch."""
# Determine the pull request number, to use for the GitHub API request
with open(file=os.environ["GITHUB_EVENT_PATH"]) as github_event_file:
pull_request_number = json.load(github_event_file)["pull_request"]["number"]
# Get the PR's base ref from the GitHub API
try:
repository_api = self.github_api.get_repo(full_name_or_id=os.environ["GITHUB_REPOSITORY"])
except github.UnknownObjectException:
print(
"::error::Unable to access repository data. Please specify the github-token input in your "
"workflow configuration."
)
sys.exit(1)
return repository_api.get_pull(number=pull_request_number).base.ref
def compile_sketches(self):
"""Do compilation tests and record data."""
self.install_arduino_cli()
# Install the platform dependency
self.install_platforms()
# Install the library dependencies
self.install_libraries()
# Compile all sketches under the paths specified by the sketch-paths input
all_compilations_successful = True
sketch_report_list = []
sketch_list = self.find_sketches()
for sketch in sketch_list:
# It's necessary to clear the cache between each compilation to get a true compiler warning count, otherwise
# only the first sketch compilation's warning count would reflect warnings from cached code
compilation_result = self.compile_sketch(sketch_path=sketch, clean_build_cache=self.enable_warnings_report)
if not compilation_result.success:
all_compilations_successful = False
# Store the size data for this sketch
sketch_report_list.append(self.get_sketch_report(compilation_result=compilation_result))
sketches_report = self.get_sketches_report(sketch_report_list=sketch_report_list)
self.create_sketches_report_file(sketches_report=sketches_report)
if not all_compilations_successful:
print("::error::One or more compilations failed")
sys.exit(1)
def install_arduino_cli(self):
"""Install Arduino CLI."""
self.verbose_print("Installing Arduino CLI version", self.cli_version)
arduino_cli_archive_download_url_prefix = "https://downloads.arduino.cc/arduino-cli/"
arduino_cli_archive_file_name = "arduino-cli_" + self.cli_version + "_Linux_64bit.tar.gz"
self.install_from_download(
url=arduino_cli_archive_download_url_prefix + arduino_cli_archive_file_name,
# The Arduino CLI has no root folder, so just install the arduino-cli executable from the archive root
source_path="arduino-cli",
destination_parent_path=self.arduino_cli_installation_path,
force=False,
)
# Configure the location of the Arduino CLI user directory
os.environ["ARDUINO_DIRECTORIES_USER"] = str(self.arduino_cli_user_directory_path)
# Configure the location of the Arduino CLI data directory
os.environ["ARDUINO_DIRECTORIES_DATA"] = str(self.arduino_cli_data_directory_path)
def verbose_print(self, *print_arguments):
"""Print log output when in verbose mode"""
if self.verbose:
print(*print_arguments)
def install_from_download(self, url, source_path, destination_parent_path, destination_name=None, force=False):
"""Download an archive, extract, and install.
Keyword arguments:
url -- URL to download the archive from
source_path -- path relative to the root folder of the archive to install.
destination_parent_path -- path under which to install
destination_name -- folder name to use for the installation. Set to None to take the name from source_path.
(default None)
force -- replace existing destination folder if present. (default False)
"""
destination_parent_path = pathlib.Path(destination_parent_path)
# Create temporary folder with function duration for the download
with tempfile.TemporaryDirectory("-compilesketches-download_folder") as download_folder:
download_file_path = pathlib.PurePath(download_folder, url.rsplit(sep="/", maxsplit=1)[1])
# https://stackoverflow.com/a/38358646
with open(file=str(download_file_path), mode="wb") as out_file:
with contextlib.closing(thing=urllib.request.urlopen(url=url)) as file_pointer:
block_size = 1024 * 8
while True:
block = file_pointer.read(block_size)
if not block:
break
out_file.write(block)
# Create temporary folder with script run duration for the extraction
extract_folder = tempfile.mkdtemp(dir=self.temporary_directory.name, prefix="install_from_download-")
# Extract archive
shutil.unpack_archive(filename=str(download_file_path), extract_dir=extract_folder)
archive_root_path = get_archive_root_path(extract_folder)
absolute_source_path = pathlib.Path(archive_root_path, source_path).resolve()
if not absolute_source_path.exists():
print("::error::Archive source path:", source_path, "not found")
sys.exit(1)
self.install_from_path(
source_path=absolute_source_path,
destination_parent_path=destination_parent_path,
destination_name=destination_name,
force=force,
)
def install_platforms(self):
"""Install Arduino boards platforms."""
platform_list = self.Dependencies()
if self.platforms == "":
# When no platforms input is provided, automatically determine the board's platform dependency from the FQBN
platform_list.manager.append(self.get_fqbn_platform_dependency())
else:
platform_list = self.sort_dependency_list(yaml.load(stream=self.platforms, Loader=yaml.SafeLoader))
if len(platform_list.manager) > 0:
# This should always be called before the functions to install platforms from other sources so that the
# override system will work
self.install_platforms_from_board_manager(platform_list=platform_list.manager)
if len(platform_list.path) > 0:
self.install_platforms_from_path(platform_list=platform_list.path)
if len(platform_list.repository) > 0:
self.install_platforms_from_repository(platform_list=platform_list.repository)
if len(platform_list.download) > 0:
self.install_platforms_from_download(platform_list=platform_list.download)
def get_fqbn_platform_dependency(self):
"""Return the platform dependency definition automatically generated from the FQBN."""
# Extract the platform name from the FQBN (e.g., arduino:avr:uno => arduino:avr)
fqbn_component_list = self.fqbn.split(sep=":")
fqbn_platform_dependency = {self.dependency_name_key: fqbn_component_list[0] + ":" + fqbn_component_list[1]}
if self.additional_url is not None:
fqbn_platform_dependency[self.dependency_source_url_key] = self.additional_url
return fqbn_platform_dependency
def sort_dependency_list(self, dependency_list):
"""Sort a list of sketch dependencies by source type
Keyword arguments:
dependency_list -- a list of dictionaries defining dependencies
"""
sorted_dependencies = self.Dependencies()
for dependency in dependency_list:
if dependency is not None:
if self.dependency_source_url_key in dependency:
# Repositories are identified by the URL starting with git:// or ending in .git
if dependency[self.dependency_source_url_key].rstrip("/").endswith(".git") or dependency[
self.dependency_source_url_key
].startswith("git://"):
sorted_dependencies.repository.append(dependency)
elif (
re.match(pattern=".*/package_.*index.json", string=dependency[self.dependency_source_url_key])
is not None
):
# URLs that match the filename requirements of the package_index.json specification are assumed
# to be additional Board Manager URLs (platform index)
sorted_dependencies.manager.append(dependency)
else:
# All other URLs are assumed to be downloads
sorted_dependencies.download.append(dependency)
elif self.dependency_source_path_key in dependency:
# Dependencies with source-path and no source-url are assumed to be paths
sorted_dependencies.path.append(dependency)
else:
# All others are Library/Board Manager names
sorted_dependencies.manager.append(dependency)
return sorted_dependencies
class Dependencies:
"""Container for sorted sketch dependencies"""
def __init__(self):
self.manager = []
self.path = []
self.repository = []
self.download = []
def install_platforms_from_board_manager(self, platform_list):
"""Install platform dependencies from the Arduino Board Manager
Keyword arguments:
platform_list -- list of dictionaries defining the Board Manager platform dependencies
"""
# Although Arduino CLI supports doing this all in one command, it may assist troubleshooting to install one
# platform at a time, and most users will only do a single Board Manager platform installation anyway
for platform in platform_list:
core_update_index_command = ["core", "update-index"]
core_install_command = ["core", "install"]
# Append additional Boards Manager URLs to the commands, if required
if self.dependency_source_url_key in platform:
additional_urls_option = ["--additional-urls", platform[self.dependency_source_url_key]]
core_update_index_command.extend(additional_urls_option)
core_install_command.extend(additional_urls_option)
core_install_command.append(self.get_manager_dependency_name(platform))
# Download the platform index for the platform
self.run_arduino_cli_command(
command=core_update_index_command, enable_output=self.get_run_command_output_level()
)
# Install the platform
self.run_arduino_cli_command(
command=core_install_command, enable_output=self.get_run_command_output_level()
)
def get_manager_dependency_name(self, dependency):
"""Return the appropriate name value for a manager dependency. This allows the NAME@VERSION syntax to be used
with the special "latest" ref for the sake of consistency (though the documented approach is to use the version
key to specify version.
Keyword arguments:
dependency -- dictionary defining the Library/Board Manager dependency
"""
name = dependency[self.dependency_name_key]
if self.dependency_version_key in dependency:
# If "latest" special version name is used, just don't add a version to cause LM to use the latest release
if dependency[self.dependency_version_key] != self.latest_release_indicator:
name = name + "@" + dependency[self.dependency_version_key]
return name
def get_run_command_output_level(self):
"""Determine and return the appropriate output setting for the run_command function."""
if self.verbose:
enable_stdout = self.RunCommandOutput.ALWAYS
else:
enable_stdout = self.RunCommandOutput.ON_FAILURE
return enable_stdout
def run_arduino_cli_command(self, command, enable_output=RunCommandOutput.ON_FAILURE, exit_on_failure=True):
"""Run the specified Arduino CLI command and return the object returned by subprocess.run().
Keyword arguments:
command -- Arduino CLI command to run
enable_output -- whether to display the stdout from the command (stderr will always be displayed)
(default RunCommandOutput.ON_FAILURE)
exit_on_failure -- whether to immediately exit if the Arduino CLI returns a non-zero status
(default True)
"""
debug_output_log_level = "warn"
full_command = [self.arduino_cli_installation_path.joinpath("arduino-cli")]
full_command.extend(command)
if self.verbose:
full_command.extend(["--log-level", debug_output_log_level, "--verbose"])
arduino_cli_output = self.run_command(
command=full_command, enable_output=enable_output, exit_on_failure=exit_on_failure
)
return arduino_cli_output
def run_command(self, command, enable_output=RunCommandOutput.ON_FAILURE, exit_on_failure=True):
"""Run a command and return the subprocess.CompletedProcess instance (stdout attribute contains combined stdout
and stderr).
Keyword arguments:
command -- the command to run
enable_output -- whether to print the output (stdout and stderr combined) from the command on success. Output is
always printed on failure. (default RunCommandOutput.ON_FAILURE)
(RunCommandOutput.NONE, RunCommandOutput.ON_FAILURE, RunCommandOutput.ALWAYS)
exit_on_failure -- whether to exit the script if the command returns a non-zero exit status (default True)
"""
command_data = subprocess.run(command, stdout=subprocess.PIPE, stderr=subprocess.STDOUT, text=True)
# Print output if appropriate
if enable_output == self.RunCommandOutput.ALWAYS or (
command_data.returncode != 0
and (enable_output == self.RunCommandOutput.ON_FAILURE or enable_output == self.RunCommandOutput.ALWAYS)
):
# Cast args to string and join them to form a string
print(
"::group::Running command:",
list_to_string(command_data.args),
"\n",
command_data.stdout,
"\n",
"::endgroup::",
)
if command_data.returncode != 0:
print("::error::Command failed")
if command_data.returncode != 0 and exit_on_failure:
sys.exit(command_data.returncode)
return command_data
def install_platforms_from_path(self, platform_list):
"""Install libraries from local paths
Keyword arguments:
platform_list -- Dependencies object containing lists of dictionaries defining platform dependencies of each
source type
"""
for platform in platform_list:
source_path = absolute_path(platform[self.dependency_source_path_key])
self.verbose_print("Installing platform from path:", path_relative_to_workspace(path=source_path))
if not source_path.exists():
print("::error::Platform source path:", path_relative_to_workspace(path=source_path), "doesn't exist")
sys.exit(1)
platform_installation_path = self.get_platform_installation_path(platform=platform)
# Install the platform
self.install_from_path(
source_path=source_path,
destination_parent_path=platform_installation_path.path.parent,
destination_name=platform_installation_path.path.name,
force=platform_installation_path.is_overwrite,
)
def get_platform_installation_path(self, platform):
"""Determines the correct installation path for the given platform and returns an object with the attributes:
path -- correct installation path for the platform (pathlib.Path() object)
is_overwrite -- whether there is an existing installation of the platform (True, False)
Keyword arguments:
platform -- dictionary defining the platform dependency
"""
class PlatformInstallationPath:
def __init__(self):
self.path = pathlib.Path()
self.is_overwrite = False
platform_installation_path = PlatformInstallationPath()
# Default to installing to the sketchbook
platform_vendor = platform[self.dependency_name_key].split(sep=":")[0]
platform_architecture = platform[self.dependency_name_key].rsplit(sep=":", maxsplit=1)[1]
# Default to installing to the sketchbook
platform_installation_path.path = self.user_platforms_path.joinpath(platform_vendor, platform_architecture)
# I have no clue why this is needed, but arduino-cli core list fails if this isn't done first. The 3rd party
# platforms are still shown in the list even if their index URLs are not specified to the command via the
# --additional-urls option
self.run_arduino_cli_command(command=["core", "update-index"])
# Use Arduino CLI to get the list of installed platforms
command_data = self.run_arduino_cli_command(command=["core", "list", "--format", "json"])
installed_platform_list = self.cli_core_list_platform_list(json.loads(command_data.stdout))
for installed_platform in installed_platform_list:
if installed_platform[self.cli_json_key("core list", "id")] == platform[self.dependency_name_key]:
# The platform has been installed via Board Manager, so do an overwrite
platform_installation_path.path = self.board_manager_platforms_path.joinpath(
platform_vendor,
"hardware",
platform_architecture,
installed_platform[self.cli_json_key("core list", "installed_version")],
)
platform_installation_path.is_overwrite = True
break
return platform_installation_path
def install_from_path(self, source_path, destination_parent_path, destination_name=None, force=False):
"""Create a symlink to the source path in the destination path.
Keyword arguments:
source_path -- path to install
destination_parent_path -- path under which to install
destination_name -- folder or filename name to use for the installation. Set to None to take the name from
source_path. (default None)
force -- replace existing destination if present. (default False)
"""
if destination_name is None:
destination_name = source_path.name
destination_path = destination_parent_path.joinpath(destination_name)
if destination_path.exists() or destination_path.is_symlink():
if force:
# Clear existing item
self.verbose_print("Overwriting installation at:", destination_path)
if destination_path.is_symlink() or destination_path.is_file():
destination_path.unlink()
else:
shutil.rmtree(path=destination_path)
else:
print("::error::Installation already exists:", destination_path)
sys.exit(1)
# Create the parent path if it doesn't already exist
destination_parent_path.mkdir(parents=True, exist_ok=True)
destination_path.symlink_to(target=source_path, target_is_directory=source_path.is_dir())
# Remove the symlink on script exit. The source path files added by the script are stored in a temporary folder
# which is deleted on exit, so the symlink will serve no purpose.
atexit.register(destination_path.unlink)
def install_platforms_from_repository(self, platform_list):
"""Install libraries by cloning Git repositories
Keyword arguments:
platform_list -- list of dictionaries defining the dependencies
"""
for platform in platform_list:
self.verbose_print("Installing platform from repository:", platform[self.dependency_source_url_key])
git_ref = self.get_repository_dependency_ref(dependency=platform)
if self.dependency_source_path_key in platform:
source_path = platform[self.dependency_source_path_key]
else:
source_path = "."
destination_path = self.get_platform_installation_path(platform=platform)
self.install_from_repository(
url=platform[self.dependency_source_url_key],
git_ref=git_ref,
source_path=source_path,
destination_parent_path=destination_path.path.parent,
destination_name=destination_path.path.name,
force=destination_path.is_overwrite,
)
def get_repository_dependency_ref(self, dependency):
"""Return the appropriate git ref value for a repository dependency
Keyword arguments:
dependency -- dictionary defining the repository dependency
"""
if self.dependency_version_key in dependency:
git_ref = dependency[self.dependency_version_key]
else:
git_ref = None
return git_ref
def install_from_repository(
self, url, git_ref, source_path, destination_parent_path, destination_name=None, force=False
):
"""Install by cloning a repository
Keyword arguments:
url -- URL to download the archive from
git_ref -- the Git ref (e.g., branch, tag, commit) to checkout after cloning
source_path -- path relative to the root of the repository to install from
destination_parent_path -- path under which to install
destination_name -- folder name to use for the installation. Set to None to use the repository name.
(default None)
force -- replace existing destination folder if present. (default False)
"""
if destination_name is None and source_path.rstrip("/") == ".":
# Use the repository name
destination_name = url.rstrip("/").rsplit(sep="/", maxsplit=1)[1].rsplit(sep=".", maxsplit=1)[0]
# Clone to a temporary folder with script run duration to allow installing from subfolders of repos
clone_folder = tempfile.mkdtemp(dir=self.temporary_directory.name, prefix="install_from_repository-")
self.clone_repository(url=url, git_ref=git_ref, destination_path=clone_folder)
# Install to the final location
self.install_from_path(
source_path=pathlib.Path(clone_folder, source_path),
destination_parent_path=destination_parent_path,
destination_name=destination_name,
force=force,
)
def clone_repository(self, url, git_ref, destination_path):
"""Clone a Git repository to a specified location and check out the specified ref
Keyword arguments:
git_ref -- Git ref to check out. Set to None to leave repository checked out at the tip of the default branch.
destination_path -- destination for the cloned repository. This is the full path of the repository, not the
parent path.
"""
if git_ref is None:
# Shallow clone is only possible if using the tip of the branch
# Use `None` as value for `git clone` options with no argument
clone_arguments = {"depth": 1, "shallow-submodules": None, "recurse-submodules": True}
else:
clone_arguments = {}
cloned_repository = git.Repo.clone_from(url=url, to_path=destination_path, **clone_arguments)
if git_ref is not None:
if git_ref == self.latest_release_indicator:
# "latest" may be used in place of a ref to cause a checkout of the latest tag
try:
# Check if there is a real ref named "latest", in which case it will be used
cloned_repository.rev_parse(git_ref)
except gitdb.exc.BadName:
# There is no real ref named "latest", so checkout latest (associated with most recent commit) tag
git_ref = sorted(cloned_repository.tags, key=lambda tag: tag.commit.committed_date)[-1]
# checkout ref
cloned_repository.git.checkout(git_ref)
cloned_repository.git.submodule("update", "--init", "--recursive", "--recommend-shallow")
def install_platforms_from_download(self, platform_list):
"""Install libraries by downloading them
Keyword arguments:
platform_list -- list of dictionaries defining the dependencies
"""
for platform in platform_list:
self.verbose_print("Installing platform from download URL:", platform[self.dependency_source_url_key])
if self.dependency_source_path_key in platform:
source_path = platform[self.dependency_source_path_key]
else:
source_path = "."
destination_path = self.get_platform_installation_path(platform=platform)
self.install_from_download(
url=platform[self.dependency_source_url_key],
source_path=source_path,
destination_parent_path=destination_path.path.parent,
destination_name=destination_path.path.name,
force=destination_path.is_overwrite,
)
def install_libraries(self):
"""Install Arduino libraries."""
libraries = get_list_from_multiformat_input(input_value=self.libraries)
library_list = self.Dependencies()
if libraries.was_yaml_list:
# libraries input is YAML
library_list = self.sort_dependency_list(libraries.value)
else:
# libraries input uses the old space-separated list syntax
library_list.manager = [{self.dependency_name_key: library_name} for library_name in libraries.value]
# The original behavior of the action was to assume the root of the repo is a library to be installed, so
# that behavior is retained when using the old input syntax
library_list.path = [{self.dependency_source_path_key: os.environ["GITHUB_WORKSPACE"]}]
# Dependencies of Library Manager sourced libraries (as defined by the library's metadata file) are
# automatically installed. For this reason, LM-sources must be installed first so the library dependencies from
# other sources which were explicitly defined won't be replaced.
if len(library_list.manager) > 0:
self.install_libraries_from_library_manager(library_list=library_list.manager)
if len(library_list.path) > 0:
self.install_libraries_from_path(library_list=library_list.path)
if len(library_list.repository) > 0:
self.install_libraries_from_repository(library_list=library_list.repository)
if len(library_list.download) > 0:
self.install_libraries_from_download(library_list=library_list.download)
def install_libraries_from_library_manager(self, library_list):
"""Install libraries using the Arduino Library Manager
Keyword arguments:
library_list -- list of dictionaries defining the dependencies
"""
lib_install_base_command = ["lib", "install"]
# `arduino-cli lib install` fails if one of the libraries in the list has a dependency on another, but an
# earlier version of the dependency is specified in the list. The solution is to install one library at a time
# (even though `arduino-cli lib install` supports installing multiple libraries at once). This also allows the
# user to control which version is installed in the end by the order of the list passed via the libraries input.
for library in library_list:
lib_install_command = lib_install_base_command.copy()
lib_install_command.append(self.get_manager_dependency_name(library))
self.run_arduino_cli_command(command=lib_install_command, enable_output=self.get_run_command_output_level())
def install_libraries_from_path(self, library_list):
"""Install libraries from local paths
Keyword arguments:
library_list -- list of dictionaries defining the dependencies
"""
for library in library_list:
source_path = absolute_path(library[self.dependency_source_path_key])
self.verbose_print("Installing library from path:", path_relative_to_workspace(source_path))
if not source_path.exists():
print("::error::Library source path:", path_relative_to_workspace(source_path), "doesn't exist")
sys.exit(1)
# Determine library folder name (important because it is a factor in dependency resolution)
if self.dependency_destination_name_key in library:
# If a name was specified, use it
destination_name = library[self.dependency_destination_name_key]
elif source_path == absolute_path(os.environ["GITHUB_WORKSPACE"]):
# If source_path is the root of the workspace (i.e., repository root), name the folder according to the
# repository name, otherwise it will unexpectedly be "workspace"
destination_name = os.environ["GITHUB_REPOSITORY"].split(sep="/")[1]
else:
# Use the existing folder name
destination_name = None
self.install_from_path(
source_path=source_path,
destination_parent_path=self.libraries_path,
destination_name=destination_name,
force=True,
)
def install_libraries_from_repository(self, library_list):
"""Install libraries by cloning Git repositories
Keyword arguments:
library_list -- list of dictionaries defining the dependencies
"""
for library in library_list:
self.verbose_print("Installing library from repository:", library[self.dependency_source_url_key])
# Determine library folder name (important because it is a factor in dependency resolution)
if self.dependency_destination_name_key in library:
# If a folder name was specified, use it
destination_name = library[self.dependency_destination_name_key]
else:
# None will cause the repository name to be used by install_from_repository()
destination_name = None
git_ref = self.get_repository_dependency_ref(dependency=library)
if self.dependency_source_path_key in library:
source_path = library[self.dependency_source_path_key]
else:
source_path = "."
self.install_from_repository(
url=library[self.dependency_source_url_key],
git_ref=git_ref,
source_path=source_path,
destination_parent_path=self.libraries_path,
destination_name=destination_name,
force=True,
)
def install_libraries_from_download(self, library_list):
"""Install libraries by downloading them
Keyword arguments:
library_list -- list of dictionaries defining the dependencies
"""
for library in library_list:
self.verbose_print("Installing library from download URL:", library[self.dependency_source_url_key])
if self.dependency_source_path_key in library:
source_path = library[self.dependency_source_path_key]
else:
source_path = "."
if self.dependency_destination_name_key in library:
destination_name = library[self.dependency_destination_name_key]
else:
destination_name = None
self.install_from_download(
url=library[self.dependency_source_url_key],
source_path=source_path,
destination_parent_path=self.libraries_path,
destination_name=destination_name,
force=True,
)
def find_sketches(self):
"""Return a list of all sketches under the paths specified in the sketch paths list recursively."""
sketch_list = []
self.verbose_print("Finding sketches under paths:", list_to_string(self.sketch_paths))
for sketch_path in self.sketch_paths:
sketch_path_sketch_list = []
if not sketch_path.exists():
print("::error::Sketch path:", path_relative_to_workspace(path=sketch_path), "doesn't exist")
sys.exit(1)
# Check if the specified path is a sketch (as opposed to containing sketches in subfolders)
if sketch_path.is_file():
if path_is_sketch(path=sketch_path):
# The path directly to a sketch file was provided, so don't search recursively
sketch_list.append(sketch_path.parent)
continue
else:
print("::error::Sketch path:", path_relative_to_workspace(path=sketch_path), "is not a sketch")
sys.exit(1)
else:
# Path is a directory
if path_is_sketch(path=sketch_path):
# Add sketch to list, but also search the path recursively for more sketches
sketch_path_sketch_list.append(sketch_path)
# Search the sketch path recursively for sketches
for sketch in sorted(sketch_path.rglob("*")):
if sketch.is_dir() and path_is_sketch(path=sketch):
sketch_path_sketch_list.append(sketch)
if len(sketch_path_sketch_list) == 0:
# If a path provided via the sketch-paths input doesn't contain sketches, that indicates user error
print("::error::No sketches were found in", path_relative_to_workspace(path=sketch_path))
sys.exit(1)
sketch_list.extend(sketch_path_sketch_list)
return sketch_list
def compile_sketch(self, sketch_path, clean_build_cache):
"""Compile the specified sketch and returns an object containing the result:
sketch -- the sketch path relative to the workspace
success -- the success of the compilation (True, False)
output -- stdout from Arduino CLI
Keyword arguments:
sketch_path -- path of the sketch to compile
clean_build_cache -- whether to delete cached compiled from previous compilations before compiling
"""
compilation_command = ["compile", "--warnings", "all", "--fqbn", self.fqbn]
if self.cli_compile_flags is not None:
compilation_command.extend(self.cli_compile_flags)
compilation_command.append(sketch_path)
if clean_build_cache:
for cache_path in pathlib.Path("/tmp").glob(pattern="arduino*"):
shutil.rmtree(path=cache_path)
start_time = time.monotonic()
compilation_data = self.run_arduino_cli_command(
command=compilation_command, enable_output=self.RunCommandOutput.NONE, exit_on_failure=False
)
diff_time = time.monotonic() - start_time
# Group compilation output to make the log easy to read
# https://github.com/actions/toolkit/blob/master/docs/commands.md#group-and-ungroup-log-lines
print("::group::Compiling sketch:", path_relative_to_workspace(path=sketch_path))
print(compilation_data.stdout)
print("::endgroup::")
class CompilationResult:
sketch = sketch_path
success = compilation_data.returncode == 0
output = compilation_data.stdout
if not CompilationResult.success:
print("::error::Compilation failed")
else:
time_summary = ""
if diff_time > 60:
if diff_time > 360:
time_summary += f"{int(diff_time / 360)}h "
time_summary += f"{int(diff_time / 60) % 60}m "
time_summary += f"{int(diff_time) % 60}s"
print("Compilation time elapsed:", time_summary)
return CompilationResult()
def get_sketch_report(self, compilation_result):
"""Return a dictionary containing data on the sketch.
Keyword arguments:
compilation_result -- object returned by compile_sketch()
"""
current_sizes = self.get_sizes_from_output(compilation_result=compilation_result)
if self.enable_warnings_report:
current_warning_count = self.get_warning_count_from_output(compilation_result=compilation_result)
else:
current_warning_count = None
previous_sizes = None
previous_warning_count = None
if self.do_deltas_report(
compilation_result=compilation_result, current_sizes=current_sizes, current_warnings=current_warning_count
):
# Get data for the sketch at the base ref
# Get the head ref
repository = git.Repo(path=os.environ["GITHUB_WORKSPACE"])
original_git_ref = repository.head.object.hexsha
# git checkout the base ref
self.checkout_deltas_base_ref()
# Compile the sketch again
print("Compiling previous version of sketch to determine memory usage change")
previous_compilation_result = self.compile_sketch(
sketch_path=compilation_result.sketch, clean_build_cache=self.enable_warnings_report
)
# git checkout the head ref to return the repository to its previous state
repository.git.checkout(original_git_ref, recurse_submodules=True)
previous_sizes = self.get_sizes_from_output(compilation_result=previous_compilation_result)
if self.enable_warnings_report:
previous_warning_count = self.get_warning_count_from_output(
compilation_result=previous_compilation_result
)
# Add global data for sketch to report
sketch_report = {