Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Build services can only be registered if the set of applied plugins is the same on all projects #17559

Open
Tracked by #25616
melix opened this issue Jun 28, 2021 · 32 comments
Assignees

Comments

@melix
Copy link
Contributor

melix commented Jun 28, 2021

Expected Behavior

Given a build service:

import org.gradle.api.services.BuildService
import org.gradle.api.services.BuildServiceParameters

abstract class MyService implements BuildService<BuildServiceParameters.None> {
}

a plugin which registers the build service:

def myService = gradle.sharedServices.registerIfAbsent("test", MyService) {
   maxParallelUsages.set(1)
}

and a task which uses the build service:

abstract class MyTask extends DefaultTask {
   @Internal
   abstract Property<MyService> getService()
   
   @TaskAction
   void execute() {
       println(service.get())
   }
}


tasks.register("hello", MyTask) {
   service.set(myService)
}

then the build service should be registered in any case.

Current Behavior

Build service registration fails in multi-project builds, if the projects using the build service have a different set of plugins applied:

* What went wrong:
A problem occurred configuring project ':lib'.
> Could not create task ':lib:hello'.
   > Cannot set the value of task ':lib:hello' property 'service' of type MyService using a provider of type MyService.

The error is confusing, but hints at a classloading issue: the services seem to be cached by classloader, which is by set of applied plugins. Therefore there are 2 different instances of the MyService class.

Context

Initially reported at graalvm/native-build-tools#70

Steps to Reproduce

Using the attached project attached project, cd into consumer then run: ./gradlew hello

Now edit lib/build.gradle and comment out the jmh plugin. Now both projects core and lib have the same set of plugins. Run ./gradlew hello again and see the build pass.

Your Environment

Build scan URL: https://scans.gradle.com/s/fjgx3mlcahdfu
JMH plugin commented out: https://scans.gradle.com/s/nj3oohuwdyx2q

melix added a commit to melix/native-build-tools that referenced this issue Jun 28, 2021
This works around a bug in Gradle which prevents the service provider from
being registered on the native image tasks.

See gradle/gradle#17559
@melix
Copy link
Contributor Author

melix commented Jun 28, 2021

Workaround is to use a Provider<Object> on the task side.

lazar-mitrovic pushed a commit to graalvm/native-build-tools that referenced this issue Jun 28, 2021
This works around a bug in Gradle which prevents the service provider from
being registered on the native image tasks.

See gradle/gradle#17559
@ljacomet ljacomet added the in:build-services Shared Build Services label Jun 29, 2021
@ljacomet
Copy link
Member

@gradle/configuration-cache Could you take a look at this one?

@robmoore-i
Copy link
Member

robmoore-i commented Apr 22, 2022

@gradle/bt-configuration-cache I encountered this earlier today and used the workaround from @melix (thank you!) which worked well. Now encountering something that looks the same, but for Extension objects:

Extension of type 'AwsDevCredentialsExtension' does not exist. Currently registered extension types: [..., AwsDevCredentialsExtension, ...]

Edit:
I think in in my case it could be because the extension is attempting to be acquired in an applied script i.e. apply(from = another-script.gradle.kts). The extension that gets created by the plugin is attached to a different class loader than the one that is used in the applied script, which is causing the issue here. It looks like this in the logs when I change to doing project.extensions.getByName("awsDevCredentials") as AwsDevCredentialsExtension.

class gebuild.aws.AwsDevCredentialsExtension cannot be cast to class gebuild.aws.AwsDevCredentialsExtension (gebuild.aws.AwsDevCredentialsExtension is in unnamed module of loader org.gradle.internal.classloader.VisitableURLClassLoader @30cb7b03; gebuild.aws.AwsDevCredentialsExtension is in unnamed module of loader org.gradle.internal.classloader.VisitableURLClassLoader @19c59d0e)

Edit 2:
Also affects NamedDomainObjectContainers.

@melix
Copy link
Contributor Author

melix commented Oct 27, 2022

Hi team! Do you plan to investigate this one? It is quite problematic as a "well designed" plugin can be facing this issue independently in a multi-project build, so testing wouldn't highlight the problem.

@yogurtearl
Copy link
Contributor

yogurtearl commented Nov 26, 2022

@melix if you add the plugin to the root build.gradle with apply: false does it workaround the issue?

i.e. in the build.gradle for the root project (parent of core and lib):

plugins {
    id 'my.plugin' apply false
}

@melix
Copy link
Contributor Author

melix commented Mar 28, 2024

There's not a single week where I'm not pinged about this bug. Can this be prioritized, please 🙏

Cannot set the value of task ':oci:collectReachabilityMetadata' property 'metadataService' of type org.graalvm.buildtools.gradle.internal.GraalVMReachabilityMetadataService using a provider of type org.graalvm.buildtools.gradle.internal.GraalVMReachabilityMetadataService.

@MarkRx
Copy link

MarkRx commented Mar 28, 2024

As a workaround if you make your service return serializable objects you can use reflection combined with serializing/deserializing to get around class cast exceptions.

service = new MyServiceCrossClassLoaderDelegate(serviceProvider.get())

static class MyServiceCrossClassLoaderDelegate {
    private BuildService<?> delegate;
    
    public MyServiceCrossClassLoaderDelegate(BuildService<?> delegate) {
        this.delegate = delegate;
    }
    
    public MyUploadResponse upload(String repoKey, String itemPath, Object file, Map<String, Object> properties) {
        return castAcrossClassLoaders(delegate.class.getMethod("upload", String.class, String.class, Object.class, Map.class)
            .invoke(delegate, repoKey, itemPath, file, properties), MyUploadResponse.class);
    }
}
    /**
     * Converts a <i>Serializable</i> object from the class of one classloader to the same class of another classloader.
     * <p>
     * Classes using this should set the serialVersionUID and modify it when the definition changes to detect missmatches.
     * <p>
     * <b>Important</b>: Classes should be data classes. Do not attempt to serialize classes that reference Gradle or other 
     * external libraries or classloading nightmares may happen. Transient fields will be lost.
     * 
     * @param <T>
     * @param obj   the object from classloader A
     * @param clazz the class to cast to from classloader B
     * @return the cast object
     */
    public static <T extends Serializable> T castAcrossClassLoaders(Object obj, Class<T> clazz) {
        if (obj == null) {
            return null;
        }
        
        Class<?> objClazz = obj.getClass();
        
        if (objClazz == clazz) {
            // No need to cast the class was loaded by the same classloader
            
            return clazz.cast(obj);
        }
        
        if (objClazz.getName() != clazz.getName()) {
            throw new IllegalArgumentException("Unable to perform cross-classloader casting. Class '" + objClazz.getName() + "' is not the same as '" + clazz.getName() + "'");
        }
        
        ByteArrayOutputStream baos = new ByteArrayOutputStream();
        
        try (ObjectOutputStream it = new ObjectOutputStream(baos)) {
            it.writeObject(obj);
        } catch (Exception e) {
            throw new RuntimeException(e);
        }
        
        
        Object result = null;
        try (ObjectInputStream it = new ObjectInputStream(new ByteArrayInputStream(baos.toByteArray()))) {
            result = it.readObject();
        } catch (Exception e) {
            throw new RuntimeException(e);
        }
        
        return clazz.cast(result);
    }

adam-enko added a commit to Kotlin/dokka that referenced this issue Aug 15, 2024
- Re-register the BuildService if it fails. Mark the first successfully registered BuildService as 'primary'. Only 'primary' BuildServices will log user-facing messages.
- Update MigrationMessagesTest to test BuildService classloader issues.
- Rename flag properties for consistency.
- Add `.nowarn` and `.noWarn` variants, because I really don't want to be constantly nagged by spellcheck.
- use `lazy(SYNCHRONIZED) {}` to better control logging, only log when necessary, and to avoid potential parallel issues.
adam-enko added a commit to Kotlin/dokka that referenced this issue Aug 20, 2024
- Re-write the Dokka Gradle Plugin v1 & v2 messages.
- Update the opt-in flag for v2.
- Create a BuildService, so the messages are only logged once per project.
- re-implement how `gradle.properties` are set for Gradle tests
- Create test for V1 & V2 migration messages
- rename 'suppressV2Message' to 'enableV2.noWarn'
* re-run tasks in some tests now that Build Cache is enabled by default
* update message: V1 will be removed in 2.1.0
* update `getFlag()` to lazily evaluate the properties
* Workaround buggy BuildService behaviour gradle/gradle#17559
- Re-register the BuildService if it fails. Mark the first successfully registered BuildService as 'primary'. Only 'primary' BuildServices will log user-facing messages.
- Update MigrationMessagesTest to test BuildService classloader issues.
- Rename flag properties for consistency.
- Add `.nowarn` and `.noWarn` variants, because I really don't want to be constantly nagged by spellcheck.
- use `lazy(SYNCHRONIZED) {}` to better control logging, only log when necessary, and to avoid potential parallel issues.
* fix gradle properties - Avoid using `Properties()` because it needlessly escapes values, doesn't order values, and adds a timestamp.
@MakotoTheKnight
Copy link

I'm running into this issue as well, when writing a custom plugin that delegates to another one that has a BuildService.

This was very tricky to diagnose and identify, and we may wind up going with either a pattern of maintaining the same order for our plugins or requiring downstream consumers to supply the plugin, which defeats the purpose of mine.

For those of us who are consumers of plugins with Providers that have a reified type, how can we move forward? There's no guarantee that any of those tasks or values would be serializable so I can't move them between classloaders with any safety.

tamaracha added a commit to infolektuell/gradle-bass that referenced this issue Sep 22, 2024
@tamaracha
Copy link

If sharing the service between subprojects is not mandatory and have an instance per project is acceptable, one can prefix the service name with the project name when registering:

class MyPlugin: Plugin<Project> {
    override fun apply(project: Project) {
        val downloadClientProvider = project.gradle.sharedServices.registerIfAbsent("${project.name}_${DownloadClient.SERVICE_NAME}", DownloadClient::class.java)
        project.tasks.register("download", Download::class.java) { task ->
            task.downloadClient.set(downloadClientProvider)
            task.usesService(downloadClientProvider)
        }
    }
}

@autonomousapps
Copy link
Contributor

@tamaracha the whole purpose of a "shared build service" is to share state between all projects in a build. What you've proposed is functionally just a project extension.

@drmarmac
Copy link

Actually, it would be nice to have something like this "shared build service" to share state within a single project. The docs aren't clear at all about how to do that. DSL extensions (if you mean them) are user-facing, and do not feel like the right place where to put implementation details.

@tamaracha
Copy link

Why shouldn't there be a general DI-usable custom service concept where the scope can be selected (build-wide singletons, project-wide singletons, instances)?

@JavierSegoviaCordoba
Copy link
Contributor

Actually, it would be nice to have something like this "shared build service" to share state within a single project. The docs aren't clear at all about how to do that. DSL extensions (if you mean them) are user-facing, and do not feel like the right place where to put implementation details.

A plugin is applied to a project, so instantiating the class via constructor is enough as it will not be shared between projects.

Anyway, that is out scope of this issue, as build services are created to share the state between multiple projects that are using your plugin.

@martinbonnin
Copy link
Contributor

Are there any thoughts about disabling/deprecating per-project classloaders (which seems to be the underlying issue here)?

Almost every project I come into has plugins loaded in the root build script with apply(false). Could that be the default recommendation moving forward? Not only will that fix the BuildService issue but it will also fix other classpath issues when different plugin use conflicting dependencies. And potentially even less work for the JVM (less classloaders).

Plugin implementers who need a separated classloader can always use workers or create their own ClassLoader.

It won't happen overnight but clear guidance would be welcome.

@yogurtearl
Copy link
Contributor

That sounds like the scope of this issue:

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Projects
None yet
Development

No branches or pull requests