forked from Consensys/teku
-
Notifications
You must be signed in to change notification settings - Fork 0
/
build.gradle
1052 lines (914 loc) · 36.8 KB
/
build.gradle
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 com.github.jk1.license.filter.LicenseBundleNormalizer
import tech.pegasys.internal.license.reporter.GroupedLicenseHtmlRenderer
import tech.pegasys.teku.depcheck.DepCheckPlugin
import java.text.SimpleDateFormat
import static tech.pegasys.teku.repackage.Repackage.repackage
buildscript {
repositories {
mavenCentral()
maven {
url "https://artifacts.consensys.net/public/maven/maven/"
content { includeGroupByRegex('tech\\.pegasys\\..*')}
}
}
dependencies {
classpath 'tech.pegasys.internal.license.reporter:license-reporter:1.1.1'
}
}
plugins {
id 'com.diffplug.spotless' version '6.25.0'
id 'com.github.ben-manes.versions' version '0.51.0'
id 'com.github.jk1.dependency-license-report' version '2.9'
id 'io.spring.dependency-management' version '1.1.6'
id 'net.ltgt.errorprone' version '4.0.1' apply false
id 'de.undercouch.download' version '5.6.0'
id 'org.ajoberstar.grgit' version '5.2.2'
}
rootProject.version = calculatePublishVersion()
def specificVersion = calculateVersion()
def isDevelopBuild = rootProject.version.contains('develop')
apply plugin: 'application'
apply plugin: DepCheckPlugin
defaultTasks 'build','checkLicense'
def buildAliases = [
'dev': [
'compileJava',
'compileTestJava',
'compileJmhJava',
'compileIntegrationTestJava',
'compileReferenceTestJava',
'compilePropertyTestJava',
'spotlessApply',
'build',
'checkLicense',
'javadoc'],
'mash': [
'clean',
'spotlessApply',
'build',
'test']
]
def expandedTaskList = []
gradle.startParameter.taskNames.each {
expandedTaskList << (buildAliases[it] ? buildAliases[it] : it)
}
gradle.startParameter.taskNames = expandedTaskList.flatten() as Iterable<String>
def userHome = System.getProperty("user.home")
def cloudsmithUser = project.hasProperty('cloudsmithUser') ? project.property('cloudsmithUser') : System.getenv('CLOUDSMITH_USER')
def cloudsmithKey = project.hasProperty('cloudsmithApiKey') ? project.property('cloudsmithApiKey') : System.getenv('CLOUDSMITH_API_KEY')
var baseInfrastructureProjects = [
':infrastructure:bytes',
':infrastructure:collections',
':infrastructure:exceptions',
':infrastructure:subscribers',
':infrastructure:unsigned',
]
dependencyRules {
rules {
baseInfrastructureProjects.each { register(it) { allowed = [] }}
register(":infrastructure:") {
allowed = [":infrastructure:"]
}
register(":infrastructure:logging") {
allowed = [":infrastructure:unsigned"]
}
['dataproviders', 'events', 'executionclient', 'executionlayer', 'networks', 'pow', 'signingrecord', 'spec'].forEach( {
register(":ethereum:${it}") {
allowed = [
":infrastructure:",
":ethereum:"
]
}
})
// ethereum modules that need to be fixed. At least stop new dependencies being added
register(":ethereum:statetransition") {
allowed = [
":infrastructure:",
":ethereum:",
":storage"
]
}
register(":ethereum:weaksubjectivity") {
allowed = [
":infrastructure:",
":ethereum:",
":storage"
]
}
}
}
def isNonStable = { String version ->
def stableKeyword = ['RELEASE', 'FINAL', 'GA'].any { keyword -> version.toUpperCase().contains(keyword) }
def regex = /^[0-9,.v-]+(-r)?$/
return !stableKeyword && !(version ==~ regex)
}
// reject all non stable versions
tasks.named("dependencyUpdates").configure {
rejectVersionIf {
isNonStable(it.candidate.version)
}
}
allprojects {
apply plugin: 'java-library'
apply plugin: 'java-test-fixtures'
apply plugin: 'io.spring.dependency-management'
apply plugin: 'net.ltgt.errorprone'
apply from: "${rootDir}/gradle/versions.gradle"
version = rootProject.version
task sourcesJar(type: Jar, dependsOn: classes) {
archiveClassifier = 'sources'
from sourceSets.main.allSource
jar.reproducibleFileOrder = true
jar.preserveFileTimestamps = false
}
java {
sourceCompatibility = JavaVersion.VERSION_21
}
java {
targetCompatibility = JavaVersion.VERSION_21
}
repositories {
mavenLocal()
mavenCentral()
maven { url "https://jitpack.io" }
maven {
url "https://artifacts.consensys.net/public/maven/maven/"
content { includeGroupByRegex('tech\\.pegasys($|\\..*)')}
}
maven {
url "https://dl.cloudsmith.io/public/libp2p/jvm-libp2p/maven/"
content { includeGroupByRegex('io\\.libp2p($|\\..*)') }
}
maven {
url "https://hyperledger.jfrog.io/artifactory/besu-maven/"
content { includeGroupByRegex('org\\.hyperledger\\.besu($|\\..*)') }
}
}
dependencies {
errorprone("com.google.errorprone:error_prone_core")
errorprone("tech.pegasys.tools.epchecks:errorprone-checks")
}
apply plugin: 'com.diffplug.spotless'
spotless {
java {
// This path needs to be relative to each project
target fileTree('.') {
include '**/*.java'
exclude '**/.gradle/**'
exclude 'web3j'
//Excluding tech.pegasys.teku.datastructures due to preferred formatting overwritten by plugin in getConstantsAsString.
exclude '**/src/main/java/tech/pegasys/teku/Constants.java'
exclude '**/proto'
exclude '**/resources'
exclude '**/src/*/generated'
exclude '**/src/*/generated_tests'
exclude '**/build/**'
}
importOrder 'tech.pegasys', 'net.consensys', 'java', ''
trimTrailingWhitespace()
endWithNewline()
licenseHeaderFile "${rootDir}/gradle/spotless.java.license"
// See gradle.properties for exports/opens flags required by JDK 16 and Google Java Format plugin
googleJavaFormat('1.23.0')
}
}
tasks.withType(JavaCompile) {
options.compilerArgs += [
'-Xlint:unchecked',
'-Xlint:cast',
'-Xlint:rawtypes',
'-Xlint:overloads',
'-Xlint:divzero',
'-Xlint:finally',
'-Xlint:static',
'-Werror',
]
options.forkOptions.jvmArgs += [
'--add-opens=jdk.compiler/com.sun.tools.javac.code=ALL-UNNAMED',
'--add-opens=jdk.compiler/com.sun.tools.javac.comp=ALL-UNNAMED',
'--add-opens=jdk.compiler/com.sun.tools.javac.parser=ALL-UNNAMED'
]
options.errorprone {
enabled = !'true'.equalsIgnoreCase(System.getProperty('avt.disableErrorProne'))
disableWarningsInGeneratedCode
// Our equals need to be symmetric, this checker doesn't respect that
check('EqualsGetClass', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
// We use the JSR-305 annotations instead of the Google annotations
check('ImmutableEnumChecker', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
// Storing a lambda to avoid code duplication is not a bad thing
check('UnnecessaryLambda', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
// Generates a ton of false alarms for no real value
check('LongDoubleConversion', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
check('InlineMeSuggester', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
check('CanIgnoreReturnValueSuggester', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
check('DirectInvocationOnMock', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
check('DistinctVarargsChecker', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
// We don't apply strict javadoc requirements yet
check('EmptyBlockTag', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
check('MissingSummary', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
// Force strict compliance with Java naming conventions
check('JavaCase', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
// Check for uses of == that should probably be .equals
check('ReferenceComparison', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
// These checks are imported from errorprone-checks dependency but not required in Teku
check('BannedMethod', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
check('ExperimentalCliOptionMustBeCorrectlyDisplayed', net.ltgt.gradle.errorprone.CheckSeverity.OFF)
// These are experimental checks that we want enabled
check('MissingBraces', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('InsecureCryptoUsage', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('WildcardImport', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('DeduplicateConstants', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('RedundantOverride', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('RedundantThrows', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('UnnecessarilyFullyQualified', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('InitializeInline', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('ClassName', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('InterfaceWithOnlyStatics', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('PackageLocation', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('MethodInputParametersMustBeFinal', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
check('FieldCanBeFinal', net.ltgt.gradle.errorprone.CheckSeverity.WARN)
}
options.encoding = 'UTF-8'
}
/*
* Pass some system properties provided on the gradle command line to test executions for
* convenience.
*
* The properties passed are:
* - 'test.ethereum.include': allows to run a single Ethereum reference tests. For instance,
* running a single general state test can be done with:
* ./gradlew :ethereum:tech.pegasys.teku.ethereum.vm:test -Dtest.single=GeneralStateTest -Dtest.ethereum.include=callcodecallcallcode_101-Frontier
* The meaning being that will be run only the tests for which the value passed as "include"
* (which can be a java pattern) matches parts of the test name. Knowing that tests names for
* reference tests are of the form:
* <name>(-<milestone>([<variant>])?)?
* where <name> is the test name as defined in the json file (usually the name of the json file
* as well), <milestone> is the Ethereum milestone tested (not all test use it) and <variant>
* is only use in some general state tests where for the same json file and same milestone,
* multiple variant of that test are run. The variant is a simple number.
* - 'test.ethereum.state.eip': for general state tests, allows to only run tests for the
* milestone specified by this value. So for instance,
* ./gradlew :ethereum:tech.pegasys.teku.ethereum.vm:test -Dtest.single=GeneralStateTest -Dtest.ethereum.state.eip=Frontier
* only run general state tests for Frontier. Note that this behavior could be achieved as well
* with the 'include' option above since it is a pattern, but this is a slightly more convenient
* option.
* - 'root.log.level' and 'evm.log.level': allow to control the log level used during the tests.
*/
test {
jvmArgs = [
'-Xmx4g',
'-XX:-UseGCOverheadLimit'
]
Set toImport = [
'test.ethereum.include',
'test.ethereum.state.eip',
'root.log.level',
'evm.log.level'
]
testLogging.showStandardStreams = project.hasProperty("showOutput") ? project.property("showOutput") : false
for (String name : toImport) {
if (System.getProperty(name) != null) {
systemProperty name, System.getProperty(name)
}
}
}
javadoc {
options.addStringOption('Xdoclint:all,-missing', '-quiet')
options.addStringOption('Xwerror', '-html5')
options.encoding = 'UTF-8'
}
}
def refTestVersion = 'v1.5.0-alpha.5'
def blsRefTestVersion = 'v0.1.2'
def slashingProtectionInterchangeRefTestVersion = 'v5.3.0'
def refTestBaseUrl = 'https://github.com/ethereum/consensus-spec-tests/releases/download'
def blsRefTestBaseUrl = 'https://github.com/ethereum/bls12-381-tests/releases/download'
def slashingProtectionInterchangeRefTestBaseUrl = 'https://github.com/eth-clients/slashing-protection-interchange-tests/archive/refs/tags'
def refTestDownloadDir = "${buildDir}/refTests/${refTestVersion}"
def blsRefTestDownloadDir = "${buildDir}/blsRefTests/${blsRefTestVersion}"
def slashingProtectionInterchangeRefTestDownloadDir = "${buildDir}/slashingProtectionInterchangeRefTests/${slashingProtectionInterchangeRefTestVersion}"
def refTestExpandDir = "${project.rootDir}/eth-reference-tests/src/referenceTest/resources/consensus-spec-tests/"
task downloadEthRefTests(type: Download) {
src([
"${refTestBaseUrl}/${refTestVersion}/general.tar.gz",
"${refTestBaseUrl}/${refTestVersion}/minimal.tar.gz",
"${refTestBaseUrl}/${refTestVersion}/mainnet.tar.gz"
])
dest "${refTestDownloadDir}"
overwrite false
}
task downloadBlsRefTests(type: Download) {
src([
"${blsRefTestBaseUrl}/${blsRefTestVersion}/bls_tests_yaml.tar.gz"
])
dest "${blsRefTestDownloadDir}/bls_tests_yaml.tar.gz"
overwrite false
}
task downloadSlashingProtectionInterchangeRefTests(type: Download) {
src([
"${slashingProtectionInterchangeRefTestBaseUrl}/${slashingProtectionInterchangeRefTestVersion}.tar.gz"
])
dest "${slashingProtectionInterchangeRefTestDownloadDir}/slashing-protection-interchange-tests.tar.gz"
overwrite false
}
task downloadRefTests(dependsOn: [downloadEthRefTests, downloadBlsRefTests, downloadSlashingProtectionInterchangeRefTests])
task cleanRefTestsGeneral(type: Delete) {
delete "${refTestExpandDir}/tests/general"
}
task expandRefTestsGeneral(type: Copy, dependsOn: [cleanRefTestsGeneral, downloadEthRefTests]) {
from tarTree("${refTestDownloadDir}/general.tar.gz")
into refTestExpandDir
}
task cleanRefTestsMainnet(type: Delete) {
delete "${refTestExpandDir}/tests/mainnet"
}
task expandRefTestsMainnet(type: Copy, dependsOn: [cleanRefTestsMainnet, downloadEthRefTests]) {
from tarTree("${refTestDownloadDir}/mainnet.tar.gz")
into refTestExpandDir
}
task cleanRefTestsMinimal(type: Delete) {
delete "${refTestExpandDir}/tests/minimal"
}
task expandRefTestsMinimal(type: Copy, dependsOn: [cleanRefTestsMinimal, downloadEthRefTests]) {
from tarTree("${refTestDownloadDir}/minimal.tar.gz")
into refTestExpandDir
}
task cleanRefTestsBls(type: Delete) {
delete "${refTestExpandDir}/tests/bls"
}
task expandRefTestsBls(type: Copy, dependsOn: [cleanRefTestsBls, downloadBlsRefTests]) {
from tarTree("${blsRefTestDownloadDir}/bls_tests_yaml.tar.gz")
into "${refTestExpandDir}/tests/bls"
}
task cleanRefTestsSlashingProtectionInterchange(type: Delete) {
delete "${refTestExpandDir}/tests/slashing-protection-interchange"
}
task expandRefTestsSlashingProtectionInterchange(type: Copy, dependsOn: [cleanRefTestsSlashingProtectionInterchange, downloadSlashingProtectionInterchangeRefTests]) {
from {
tarTree("${slashingProtectionInterchangeRefTestDownloadDir}/slashing-protection-interchange-tests.tar.gz").matching {
include "**/tests/generated/*.json"
// flatten
eachFile { FileCopyDetails fcp ->
fcp.path = fcp.name
}
}
}
into "${refTestExpandDir}/tests/slashing-protection-interchange"
}
task expandRefTests(dependsOn: [expandRefTestsGeneral, expandRefTestsMainnet, expandRefTestsMinimal, expandRefTestsBls, expandRefTestsSlashingProtectionInterchange])
task cleanRefTests(dependsOn: [cleanRefTestsGeneral, cleanRefTestsMainnet, cleanRefTestsMinimal, cleanRefTestsBls, cleanRefTestsSlashingProtectionInterchange])
task deploy() {}
licenseReport {
configurations = ['runtimeClasspath']
outputDir = "${buildDir}/reports/licenses"
// These jars don't have machine readable license information
excludes = [
'org.junit:junit-bom',
'org.rxtx:rxtx',
'com.fasterxml.jackson:jackson-bom',
'io.netty:netty-tcnative-classes',
'org.jetbrains.kotlinx:kotlinx-coroutines-bom',
'org.jetbrains.kotlinx:kotlinx-coroutines-core',
'org.jetbrains.kotlin:kotlin-stdlib-common',
]
allowedLicensesFile = new File("${rootDir}/gradle/license-report-config/allowed-licenses.json")
filters = [new LicenseBundleNormalizer()]
renderers = [new GroupedLicenseHtmlRenderer(includeTimestamp: false)]
}
task checkMavenCoordinateCollisions {
doLast {
def coordinates = [:]
getAllprojects().forEach {
if (it.properties.containsKey('publishing') && it.jar?.enabled) {
def coordinate = it.publishing?.publications[0].coordinates
if (coordinates.containsKey(coordinate)) {
throw new GradleException("Duplicate maven coordinates detected, ${coordinate} is used by " +
"both ${coordinates[coordinate]} and ${it.path}.\n" +
"Please add a `publishing` script block to one or both subprojects.")
}
coordinates[coordinate] = it.path
}
}
}
}
check.dependsOn('checkMavenCoordinateCollisions')
application {
applicationName = "teku"
getMainClass().set("tech.pegasys.teku.Teku")
applicationDefaultJvmArgs = [
"-Dvertx.disableFileCPResolving=true",
"-Dteku.home=TEKU_HOME",
// We shutdown log4j ourselves, as otherwise his shutdown hook runs before our own and whatever
// happens during shutdown is not logged.
"-Dlog4j.shutdownHookEnabled=false",
"-Dlog4j2.formatMsgNoLookups=true",
// run `jcmd <PID> VM.native_memory` to check JVM native memory consumption
"-XX:NativeMemoryTracking=summary",
// 32Mb for Netty Direct ByteBuf
"-Dio.netty.maxDirectMemory=33554432"
]
}
task autocomplete(type: JavaExec) {
dependsOn compileJava
outputs.file "build/teku.autocomplete.sh"
mainClass = application.getMainClass()
args "debug-tools", "generate-autocomplete", "--output", "build/teku.autocomplete.sh"
classpath sourceSets.main.runtimeClasspath
}
installDist {
dependsOn checkLicense, autocomplete
}
distTar {
dependsOn checkLicense, autocomplete
doFirst {
delete fileTree(dir: 'build/distributions', include: '*.tar.gz')
}
compression = Compression.GZIP
archiveExtension = 'tar.gz'
reproducibleFileOrder = true
doLast {
repackage(archiveFile.get().toString(), lastCommitDate())
}
}
distZip {
dependsOn checkLicense, autocomplete
doFirst {
delete fileTree(dir: 'build/distributions', include: '*.zip')
}
reproducibleFileOrder = true
doLast {
repackage(archiveFile.get().toString(), lastCommitDate())
}
}
startScripts {
def shortenWindowsClasspath = { line ->
line = line.replaceAll(/^set CLASSPATH=.*$/, "set CLASSPATH=%APP_HOME%/lib/*")
}
doLast {
unixScript.text = unixScript.text.replace('TEKU_HOME', '\$APP_HOME')
windowsScript.text = windowsScript.text.replace('TEKU_HOME', '%~dp0..')
// Prevent the error originating from the 8191 chars limit on Windows
windowsScript.text =
windowsScript
.readLines()
.collect(shortenWindowsClasspath)
.join('\r\n')
}
}
// rename the top level dir from teku-<version> to teku and this makes it really
// simple for use in docker
tasks.register("dockerDistUntar") {
dependsOn distTar
def dockerBuildPath = "build/docker-teku/"
def distTarFile = distTar.outputs.files.singleFile
def distTarFileName = distTar.outputs.files.singleFile.name.replace(".tar.gz", "")
doFirst {
def dockerBuildDir = new File(dockerBuildPath)
dockerBuildDir.deleteDir()
dockerBuildDir.mkdir()
copy {
from tarTree(distTarFile)
into(dockerBuildPath)
}
def dockerDist = file("${dockerBuildPath}/${distTarFileName}")
dockerDist.renameTo("${dockerBuildPath}/teku")
}
}
def dockerImage = "consensys/teku"
def dockerJdkVariants = [ "jdk21" ]
def dockerBuildDir = "build/docker-teku/"
def executableAndArg = System.getProperty('os.name').toLowerCase().contains('windows') ? ["cmd", "/c"] : ["sh", "-c"]
task distDocker {
dependsOn dockerDistUntar
def dockerBuildVersion = 'develop'
doLast {
def includeCommitHashInDockerTag = project.hasProperty('includeCommitHashInDockerTag') && project.property('includeCommitHashInDockerTag').toBoolean()
def commitHashTag = includeCommitHashInDockerTag ? '-' + grgit.head().getAbbreviatedId() : ''
for (def variant in dockerJdkVariants) {
copy {
from file("${projectDir}/docker/${variant}/Dockerfile")
into(dockerBuildDir)
}
exec {
def image = "${dockerImage}:${dockerBuildVersion}-${variant}${commitHashTag}"
workingDir dockerBuildDir
executable executableAndArg[0]
args executableAndArg[1], "docker build --pull --build-arg BUILD_DATE=${buildTime()} --build-arg VERSION=${dockerBuildVersion} --build-arg VCS_REF=${getCheckedOutGitCommitHash()} -t ${image} ."
}
}
// tag the "default" (which is the variant in the zero position)
exec {
executable executableAndArg[0]
args executableAndArg[1], "docker tag ${dockerImage}:${dockerBuildVersion}-${dockerJdkVariants[0]}${commitHashTag} ${dockerImage}:${dockerBuildVersion}${commitHashTag}"
}
}
}
task uploadDocker {
dependsOn([distDocker])
def dockerBuildVersion = "${rootProject.version}".replace('+', '-')
def architecture = System.getenv('architecture')
def platform = System.getenv('platform')
def versionPrefixes = [dockerBuildVersion]
if (project.hasProperty('branch') && project.property('branch') == 'master') {
versionPrefixes.add('develop')
}
if (!isDevelopBuild) {
versionPrefixes.add('latest')
versionPrefixes.add(dockerBuildVersion.split(/\./)[0..1].join('.'))
}
doLast {
def includeCommitHashInDockerTag = project.hasProperty('includeCommitHashInDockerTag') && project.property('includeCommitHashInDockerTag').toBoolean()
def commitHashTag = includeCommitHashInDockerTag ? '-' + grgit.head().getAbbreviatedId() : ''
for (def variant in dockerJdkVariants) {
def tags = ""
versionPrefixes.forEach { prefix -> tags += "-t ${dockerImage}:${prefix.trim()}-${variant}-${architecture}${commitHashTag} "}
if (variant == dockerJdkVariants[0]) {
versionPrefixes.forEach { prefix -> tags += "-t ${dockerImage}:${prefix.trim()}-${architecture}${commitHashTag} "}
}
copy {
from file("${projectDir}/docker/${variant}/Dockerfile")
into(dockerBuildDir)
}
exec {
workingDir dockerBuildDir
executable executableAndArg[0]
args executableAndArg[1], "docker build --pull --platform ${platform} --build-arg BUILD_DATE=${buildTime()} --build-arg VERSION=${dockerBuildVersion} --build-arg VCS_REF=${getCheckedOutGitCommitHash()} ${tags} ."
}
//docker trust sign runs one image at a time, so we have to remove the '-t' in the string and split into a list we can use
def trustTags = tags.replaceAll( '-t ', '' ).trim().split(' ')
for (def t in trustTags) {
exec {
workingDir dockerBuildDir
executable executableAndArg[0]
args executableAndArg[1], "docker trust sign ${t} && docker push ${t} "
}
}
}
}
}
task manifestDocker {
def dockerBuildVersion = "${rootProject.version}".replace('+', '-')
def versionPrefixes = [dockerBuildVersion]
def platforms = ["arm64", "amd64"]
if (project.hasProperty('branch') && project.property('branch') == 'master') {
versionPrefixes.add('develop')
}
if (!isDevelopBuild) {
versionPrefixes.add('latest')
versionPrefixes.add(dockerBuildVersion.split(/\./)[0..1].join('.'))
}
doLast {
def includeCommitHashInDockerTag = project.hasProperty('includeCommitHashInDockerTag') && project.property('includeCommitHashInDockerTag').toBoolean()
def commitHashTag = includeCommitHashInDockerTag ? '-' + grgit.head().getAbbreviatedId() : ''
for (def variant in dockerJdkVariants) {
def tags = []
def cmd = ""
versionPrefixes.forEach { prefix -> tags.add("${dockerImage}:${prefix.trim()}-${variant}") }
if (variant == dockerJdkVariants[0]) {
versionPrefixes.forEach { prefix -> tags.add("${dockerImage}:${prefix.trim()}") }
}
for (def tag in tags) {
platforms.forEach { platform -> cmd += "${tag}-${platform}${commitHashTag} " }
exec {
executable executableAndArg[0]
args executableAndArg[1], "docker manifest create ${tag}${commitHashTag} ${cmd} && docker manifest push ${tag}${commitHashTag}"
}
}
}
}
}
subprojects {
tasks.withType(Test) {
// If GRADLE_MAX_TEST_FORKS is not set, use half the available processors
maxParallelForks = (System.getenv('GRADLE_MAX_TEST_FORKS') ?: (Runtime.runtime.availableProcessors().intdiv(2) ?: 1)).toInteger()
useJUnitPlatform()
reports {
junitXml.required = true
}
filter {
// Support filtering tests with the --tests option to gradle
// Without this the build fails if you filter out all the tests for any module
setFailOnNoMatchingTests(false)
}
}
tasks.withType(JavaCompile) {
options.fork = true
options.incremental = true
}
sourceSets {
integrationTest {
java {
compileClasspath += main.output
runtimeClasspath += main.output
srcDir file('src/integration-test/java')
}
resources.srcDir file('src/integration-test/resources')
}
acceptanceTest {
java {
compileClasspath += main.output
runtimeClasspath += main.output
srcDir file('src/acceptance-test/java')
}
resources.srcDir file('src/acceptance-test/resources')
}
propertyTest {
java {
compileClasspath += main.output
runtimeClasspath += main.output
srcDir file('src/property-test/java')
}
resources.srcDir file('src/property-test/resources')
}
referenceTest {
java {
srcDir file('src/referenceTest/generated_tests')
srcDir file('src/referenceTest/java')
}
}
}
def sourceSetIsPopulated = { sourceSetName ->
def result = project.sourceSets.names.contains(sourceSetName) && !project.sourceSets.getAt(sourceSetName).allSource.empty
logger.info("Project = " + project.name + " Has Source Set (" + sourceSetName + ") = " + result + "(" + project.sourceSets.names + ")")
return result
}
apply plugin: 'idea'
idea {
module {
testSourceDirs += project.sourceSets.testFixtures.java.srcDirs
testSourceDirs += project.sourceSets.testFixtures.resources.srcDirs
testSourceDirs += project.sourceSets.integrationTest.java.srcDirs
testSourceDirs += project.sourceSets.integrationTest.resources.srcDirs
testSourceDirs += project.sourceSets.acceptanceTest.java.srcDirs
testSourceDirs += project.sourceSets.acceptanceTest.resources.srcDirs
testSourceDirs += project.sourceSets.propertyTest.java.srcDirs
testSourceDirs += project.sourceSets.propertyTest.resources.srcDirs
testSourceDirs += project.sourceSets.referenceTest.java.srcDirs
testSourceDirs += project.sourceSets.referenceTest.resources.srcDirs
}
}
if (sourceSetIsPopulated("main") || sourceSetIsPopulated("testFixtures")) {
apply plugin: 'maven-publish'
publishing {
repositories {
maven {
name = "cloudsmith"
url = "https://api-g.cloudsmith.io/maven/consensys/teku/"
credentials {
username = cloudsmithUser
password = cloudsmithKey
}
}
}
publications {
mavenJava(MavenPublication) {
groupId "tech.pegasys.teku.internal"
version "${project.version}"
if (sourceSetIsPopulated("main")) {
from components.java
artifact sourcesJar
}
versionMapping {
usage('java-api') { fromResolutionOf('runtimeClasspath') }
usage('java-runtime') { fromResolutionResult() }
}
suppressPomMetadataWarningsFor('testFixturesApiElements')
suppressPomMetadataWarningsFor('testFixturesRuntimeElements')
pom {
name = "Teku - ${project.name}"
url = 'https://github.com/Consensys/teku'
licenses {
license {
name = 'The Apache License, Version 2.0'
url = 'http://www.apache.org/licenses/LICENSE-2.0.txt'
}
}
scm {
connection = 'scm:git:git://github.com/Consensys/teku.git'
developerConnection = 'https://github.com/Consensys/teku.git'
url = 'https://github.com/Consensys/teku'
}
// workaround
// https://stackoverflow.com/questions/69877418/why-does-every-pom-file-published-by-gradle-has-a-self-referential-dependency
// https://github.com/spring-gradle-plugins/dependency-management-plugin/issues/365
withXml {
asNode().dependencies.dependency.each { dep ->
if(dep["artifactId"].last().value().last() == artifactId) {
assert dep.parent().remove(dep)
}
}
}
}
}
}
}
}
if (project.file('src/jmh/java').exists()) {
sourceSets {
jmh {
java.srcDirs = ['src/jmh/java']
resources.srcDirs = ['src/jmh/resources']
compileClasspath += sourceSets.main.runtimeClasspath
}
}
tasks.getByName("compileJmhJava") {
options.compilerArgs = []
options.errorprone {
enabled = false
}
}
dependencies {
jmhImplementation 'org.openjdk.jmh:jmh-core'
jmhAnnotationProcessor 'org.openjdk.jmh:jmh-generator-annprocess'
}
classes.finalizedBy(jmhClasses)
task jmh(type: JavaExec, dependsOn: jmhClasses) {
mainClass = 'org.openjdk.jmh.Main'
classpath = sourceSets.jmh.compileClasspath + sourceSets.jmh.runtimeClasspath
systemProperty("jmh.blackhole.mode", "COMPILER")
}
}
configurations {
integrationTestImplementation.extendsFrom testImplementation
acceptanceTestImplementation.extendsFrom testImplementation
propertyTestImplementation.extendsFrom testImplementation
referenceTestImplementation.extendsFrom testImplementation
integrationTestRuntimeOnly.extendsFrom testRuntimeOnly
acceptanceTestRuntimeOnly.extendsFrom testRuntimeOnly
propertyTestRuntimeOnly.extendsFrom testRuntimeOnly
referenceTestRuntimeOnly.extendsFrom testRuntimeOnly
// Details at https://github.com/Hakky54/log-captor#using-log-captor-alongside-with-other-logging-libraries
testImplementation {
exclude(group: "org.apache.logging.log4j", module: "log4j-slf4j-impl")
exclude(group: "org.apache.logging.log4j", module: "log4j-slf4j2-impl")
}
}
def jarName = project.name
def parent = project.parent
while (parent != null) {
if (parent != rootProject || jarName != 'teku') {
jarName = parent.name + '-' + jarName
}
parent = parent.parent
}
jar {
archiveBaseName = jarName
manifest {
attributes(
'Specification-Title': jarName,
'Specification-Version': project.version,
'Implementation-Title': jarName,
'Implementation-Version': specificVersion
)
}
reproducibleFileOrder = true
preserveFileTimestamps = false
}
dependencies {
implementation 'com.google.guava:guava'
implementation 'org.apache.commons:commons-lang3'
implementation 'org.apache.logging.log4j:log4j-api'
runtimeOnly 'org.apache.logging.log4j:log4j-core'
runtimeOnly 'org.apache.logging.log4j:log4j-slf4j-impl'
testImplementation 'org.apache.tuweni:tuweni-junit'
testImplementation 'org.assertj:assertj-core'
testImplementation 'org.mockito:mockito-core'
testImplementation 'org.junit.jupiter:junit-jupiter-api'
testImplementation 'org.junit.jupiter:junit-jupiter-params'
testRuntimeOnly 'org.junit.jupiter:junit-jupiter-engine'
testFixturesImplementation 'org.assertj:assertj-core'
testFixturesRuntimeOnly 'org.apiguardian:apiguardian-api'
propertyTestImplementation 'net.jqwik:jqwik'
}
if (!baseInfrastructureProjects.contains(project.path)) {
dependencies.implementation(project(':infrastructure:unsigned'))
dependencies.testRuntimeOnly(dependencies.testFixtures(project(':infrastructure:logging')))
}
task integrationTest(type: Test, dependsOn:["compileIntegrationTestJava"]){
group = "verification"
description = "Runs the Teku integration tests"
testClassesDirs = sourceSets.integrationTest.output.classesDirs
classpath = sourceSets.integrationTest.runtimeClasspath
}
task acceptanceTest(type: Test, dependsOn:["compileAcceptanceTestJava", rootProject.distDocker]){
group = "verification"
description = "Runs the Teku acceptance tests"
systemProperty "teku.testArtifactDir", new File(project.buildDir, "test-artifacts").getAbsolutePath()
testClassesDirs = sourceSets.acceptanceTest.output.classesDirs
classpath = sourceSets.acceptanceTest.runtimeClasspath
}
task propertyTest(type: Test, dependsOn:["compilePropertyTestJava"]){
group = "verification"
description = "Runs the Teku property tests"
testClassesDirs = sourceSets.propertyTest.output.classesDirs
classpath = sourceSets.propertyTest.runtimeClasspath
}
task referenceTest(type: Test, dependsOn:["compileReferenceTestJava"]){
group = "verification"
description = "Runs the Teku reference tests"
testClassesDirs = sourceSets.referenceTest.output.classesDirs
classpath = sourceSets.referenceTest.runtimeClasspath
}
}
jar { enabled = false }
run {
if(project.hasProperty('generateFlow')){
def flowJVMArgs = [
"-javaagent:${userHome}/.flow/resources/javaagent.jar",
"-Dflow.agent.include=tech.pegasys.teku,tech.pegasys.teku.services.beaconchain,tech.pegasys.teku.statetransition,tech.pegasys.teku.statetransition.util",
"-Dflow.agent.exclude=tech.pegasys.teku.datastructures.state,tech.pegasys.teku.datastructures.blocks,tech.pegasys.teku.datastructures.operations,tech.pegasys.teku.datastructures.util.bitwise,tech.pegasys.teku.util.hashtree,tech.pegasys.teku.util.alogger,tech.pegasys.teku.storage,tech.pegasys.teku.util.bls,tech.pegasys.teku.util.mikuli,tech.pegasys.teku.networking.p2p,tech.pegasys.teku.validator.coordinator",
"-Dflow.agent.autostart",
"-Dflow.agent.execution-name=teku"
]
applicationDefaultJvmArgs.addAll(flowJVMArgs)
}
args project.hasProperty("teku.run.args") ? project.property("teku.run.args").toString().split("\\s+") : []
doFirst {
applicationDefaultJvmArgs = applicationDefaultJvmArgs.collect{it.replace('TEKU_HOME', "$buildDir/teku")}
}
}
dependencies {
implementation project(':teku')
errorprone 'com.google.errorprone:error_prone_core'
errorprone 'tech.pegasys.tools.epchecks:errorprone-checks'
}
distributions {
main {
contents {
from("LICENSE")
from("build/reports/licenses") {
into "licenses"
exclude "**/dependencies-without-allowed-license.json"
exclude "**/project-licenses-for-check-license-task.json"
}
from("libs") { into "native" }
from("build/teku.autocomplete.sh")
}
}
}
// http://label-schema.org/rc1/
// using the RFC3339 format "2016-04-12T23:20:50.52Z"
def buildTime() {
def df = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm'Z'")
df.setTimeZone(TimeZone.getTimeZone("UTC"))
return df.format(new Date())
}
// Get the date of the last git commit.
def lastCommitDate() {
if (!grgit) {
return new Date()
}
return grgit.log(maxCommits: 1).get(0).date
}
// Calculate the version that this build would be published under (if it is published)
// If this exact commit is tagged, use the tag
// If this is on a release-* branch, use the most recent tag appended with +develop (e.g. 0.1.1-RC1+develop)
// Otherwise, use develop
def calculatePublishVersion() {
if (!grgit) {