Skip to content
Merged
Show file tree
Hide file tree
Changes from 7 commits
Commits
Show all changes
21 commits
Select commit Hold shift + click to select a range
d8c7703
impl: model for the IDE product
fioan89 Dec 15, 2025
01bcb66
impl: retrofit service to fetch IDEs
fioan89 Dec 15, 2025
a871581
impl: load and cache IDEs
fioan89 Dec 15, 2025
d5bf957
impl: initialize and pass the feed manager to URI handler
fioan89 Dec 15, 2025
ce3f67b
impl: support for `latest_eap`, `latest_release` and `latest_installe…
fioan89 Dec 15, 2025
98dc126
impl: UTs for URI handling and a couple of other optimizations
fioan89 Dec 16, 2025
1be2413
fix: UTs and add more scenarios
fioan89 Dec 16, 2025
f2b96c8
Merge branch 'main' into support-for-ide-version-placeholders-in-uri
fioan89 Jan 23, 2026
cdff92f
chore: add some UTs back
fioan89 Jan 23, 2026
d0f4357
chore: refactor how app data is resolved
fioan89 Jan 23, 2026
b6fba07
chore: use global data dir from the settings
fioan89 Jan 23, 2026
509066a
fix: fallback on $HOME for Linux
fioan89 Jan 23, 2026
e801b95
fix: proper discovery of the offline mode
fioan89 Jan 28, 2026
0282c20
chore: cover offline mode with UTs
fioan89 Jan 28, 2026
584c872
Merge branch 'main' into support-for-ide-version-placeholders-in-uri
fioan89 Jan 29, 2026
34ded8d
doc: provide details about IDE resolution based on placeholders
fioan89 Jan 29, 2026
12b3f85
chore: next version is 0.8.5
fioan89 Jan 29, 2026
537fe81
fix: use IDE code when intelijProductCode is null
fioan89 Jan 29, 2026
4fc7693
chore: improve logging with available and installed IDEs
fioan89 Jan 30, 2026
b3f6ee9
fix: resolveIdeIdentifier was not respecting the contract
fioan89 Jan 30, 2026
204d190
fix: feed manager should cope with products that don't have a build n…
fioan89 Jan 30, 2026
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions build.gradle.kts
Original file line number Diff line number Diff line change
Expand Up @@ -67,6 +67,7 @@ dependencies {
testImplementation(kotlin("test"))
testImplementation(libs.mokk)
testImplementation(libs.bundles.toolbox.plugin.api)
testImplementation(libs.coroutines.test)
}

val extension = ExtensionJson(
Expand Down
1 change: 1 addition & 0 deletions gradle/libs.versions.toml
Original file line number Diff line number Diff line change
Expand Up @@ -23,6 +23,7 @@ toolbox-core-api = { module = "com.jetbrains.toolbox:core-api", version.ref = "t
toolbox-ui-api = { module = "com.jetbrains.toolbox:ui-api", version.ref = "toolbox-plugin-api" }
toolbox-remote-dev-api = { module = "com.jetbrains.toolbox:remote-dev-api", version.ref = "toolbox-plugin-api" }
coroutines-core = { module = "org.jetbrains.kotlinx:kotlinx-coroutines-core", version.ref = "coroutines" }
coroutines-test = { module = "org.jetbrains.kotlinx:kotlinx-coroutines-test", version.ref = "coroutines" }
serialization-core = { module = "org.jetbrains.kotlinx:kotlinx-serialization-core", version.ref = "serialization" }
serialization-json = { module = "org.jetbrains.kotlinx:kotlinx-serialization-json", version.ref = "serialization" }
serialization-json-okio = { module = "org.jetbrains.kotlinx:kotlinx-serialization-json-okio", version.ref = "serialization" }
Expand Down
3 changes: 2 additions & 1 deletion src/main/kotlin/com/coder/toolbox/CoderRemoteProvider.kt
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,7 @@ package com.coder.toolbox

import com.coder.toolbox.browser.browse
import com.coder.toolbox.cli.CoderCLIManager
import com.coder.toolbox.feed.IdeFeedManager
import com.coder.toolbox.plugin.PluginManager
import com.coder.toolbox.sdk.CoderRestClient
import com.coder.toolbox.sdk.ex.APIResponseException
Expand Down Expand Up @@ -96,7 +97,7 @@ class CoderRemoteProvider(
providerVisible = false
)
)
private val linkHandler = CoderProtocolHandler(context)
private val linkHandler = CoderProtocolHandler(context, IdeFeedManager(context))

override val loadingEnvironmentsDescription: LocalizableString = context.i18n.ptrl("Loading workspaces...")
override val environments: MutableStateFlow<LoadableState<List<CoderRemoteEnvironment>>> = MutableStateFlow(
Expand Down
87 changes: 87 additions & 0 deletions src/main/kotlin/com/coder/toolbox/feed/FeedModels.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,87 @@
package com.coder.toolbox.feed

import com.squareup.moshi.FromJson
import com.squareup.moshi.Json
import com.squareup.moshi.JsonClass
import com.squareup.moshi.ToJson

/**
* Represents a JetBrains IDE product from the feed API.
*
* The API returns an array of products, each with a code and a list of releases.
*/
@JsonClass(generateAdapter = true)
data class IdeProduct(
@Json(name = "code") val code: String,
@Json(name = "intellijProductCode") val intellijProductCode: String,
@Json(name = "name") val name: String,
@Json(name = "releases") val releases: List<IdeRelease> = emptyList()
)

/**
* Represents an individual release of a JetBrains IDE product.
*/
@JsonClass(generateAdapter = true)
data class IdeRelease(
@Json(name = "build") val build: String,
@Json(name = "version") val version: String,
@Json(name = "type") val type: IdeType,
@Json(name = "date") val date: String
)

/**
* Type of IDE release: release or EAP (Early Access Program)
*/
enum class IdeType {
RELEASE,
EAP,
UNSUPPORTED;

val value: String
get() = when (this) {
RELEASE -> "release"
EAP -> "eap"
UNSUPPORTED -> "unsupported"
}
}

class IdeTypeAdapter {
@FromJson
fun fromJson(type: String): IdeType {
return when (type.lowercase()) {
"release" -> IdeType.RELEASE
"eap" -> IdeType.EAP
else -> IdeType.UNSUPPORTED
}
}

@ToJson
fun toJson(type: IdeType): String = type.value
}

/**
* Simplified representation of an IDE for use in the plugin.
*
* Contains the essential information: product code, build number, version, and type.
*/
@JsonClass(generateAdapter = true)
data class Ide(
val code: String,
val build: String,
val version: String,
val type: IdeType
) {
companion object {
/**
* Create an Ide from an IdeProduct and IdeRelease.
*/
fun from(product: IdeProduct, release: IdeRelease): Ide {
return Ide(
code = product.intellijProductCode,
build = release.build,
version = release.version,
type = release.type
)
}
}
}
235 changes: 235 additions & 0 deletions src/main/kotlin/com/coder/toolbox/feed/IdeFeedManager.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,235 @@
package com.coder.toolbox.feed

import com.coder.toolbox.CoderToolboxContext
import com.coder.toolbox.plugin.PluginManager
import com.coder.toolbox.sdk.CoderHttpClientBuilder
import com.coder.toolbox.sdk.interceptors.Interceptors
import com.coder.toolbox.util.OS
import com.coder.toolbox.util.ReloadableTlsContext
import com.coder.toolbox.util.getOS
import com.squareup.moshi.Moshi
import com.squareup.moshi.Types
import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.withContext
import retrofit2.Retrofit
import retrofit2.converter.moshi.MoshiConverterFactory
import java.nio.file.Path
import kotlin.io.path.exists
import kotlin.io.path.readText

/**
* Manages the caching and loading of JetBrains IDE product feeds.
*
* This manager handles fetching IDE information from JetBrains data services,
* caching the results locally, and supporting offline mode.
*
* Cache files are stored in platform-specific locations:
* - macOS: ~/Library/Application Support/JetBrains/Toolbox/plugins/com.coder.toolbox/
* - Linux: ~/.local/share/JetBrains/Toolbox/plugins/com.coder.toolbox/
* - Windows: %LOCALAPPDATA%/JetBrains/Toolbox/plugins/com.coder.toolbox/
*/
class IdeFeedManager(
private val context: CoderToolboxContext,
feedService: JetBrainsFeedService? = null
) {
private val moshi = Moshi.Builder()
.add(IdeTypeAdapter())
.build()

// Lazy initialization of the feed service
private val feedService: JetBrainsFeedService by lazy {
if (feedService != null) return@lazy feedService

val interceptors = buildList {
add((Interceptors.userAgent(PluginManager.pluginInfo.version)))
add(Interceptors.logging(context))
}
val okHttpClient = CoderHttpClientBuilder.build(
context,
interceptors,
ReloadableTlsContext(context.settingsStore.readOnly().tls)
)

val retrofit = Retrofit.Builder()
.baseUrl("https://data.services.jetbrains.com/")
.client(okHttpClient)
.addConverterFactory(MoshiConverterFactory.create(moshi))
.build()

val feedApi = retrofit.create(JetBrainsFeedApi::class.java)
JetBrainsFeedService(context, feedApi)
}

private var cachedIdes: List<Ide>? = null

/**
* Lazily load the IDE list.
*
* This method will only execute once. Subsequent calls will return the cached result.
*
* If offline mode is enabled (via -Doffline=true), this will load from local cache files.
* Otherwise, it will fetch from the remote feeds and save to local cache.
*
* @return List of IDE objects from both release and EAP feeds
*/
suspend fun loadIdes(): List<Ide> {
// Return cached value if already loaded
cachedIdes?.let { return it }

val isOffline = isOfflineMode()
context.logger.info("Loading IDEs in ${if (isOffline) "offline" else "online"} mode")

val ides = if (isOffline) {
loadIdesOffline()
} else {
loadIdesOnline()
}

cachedIdes = ides
return ides
}

/**
* Load IDEs from local cache files in offline mode.
*/
private suspend fun loadIdesOffline(): List<Ide> = withContext(Dispatchers.IO) {
context.logger.info("Loading IDEs from local cache files")

val releaseIdes = loadFeedFromFile(getReleaseCachePath())
val eapIdes = loadFeedFromFile(getEapCachePath())

val allIdes = releaseIdes + eapIdes
context.logger.info("Loaded ${allIdes.size} IDEs from cache (${releaseIdes.size} release, ${eapIdes.size} EAP)")

allIdes
}

/**
* Fetch IDEs from remote feeds and cache them locally.
*/
private suspend fun loadIdesOnline(): List<Ide> {
context.logger.info("Fetching IDEs from remote feeds")

// Fetch from both feeds
val releaseIdes = try {
feedService.fetchReleaseFeed()
} catch (e: Exception) {
context.logger.warn(e, "Failed to fetch release feed")
emptyList()
}

val eapIdes = try {
feedService.fetchEapFeed()
} catch (e: Exception) {
context.logger.warn(e, "Failed to fetch EAP feed")
emptyList()
}

val allIdes = releaseIdes + eapIdes
context.logger.info("Fetched ${allIdes.size} IDEs from remote (${releaseIdes.size} release, ${eapIdes.size} EAP)")

return allIdes
}

/**
* Get the platform-specific cache directory path.
*/
private fun getCacheDirectory(): Path {
val os = getOS()
val userHome = System.getProperty("user.home")

val basePath = when (os) {
OS.MAC -> Path.of(userHome, "Library", "Application Support")
OS.LINUX -> Path.of(userHome, ".local", "share")
OS.WINDOWS -> {
val localAppData = System.getenv("LOCALAPPDATA")
?: Path.of(userHome, "AppData", "Local").toString()
Path.of(localAppData)
}

null -> {
context.logger.warn("Unable to determine OS, using home directory for cache")
Path.of(userHome, ".cache")
}
}

return basePath.resolve("JetBrains/Toolbox/plugins/com.coder.toolbox")
}

/**
* Get the path for the release feed cache file.
*/
private fun getReleaseCachePath(): Path {
return getCacheDirectory().resolve(RELEASE_CACHE_FILE)
}

/**
* Get the path for the EAP feed cache file.
*/
private fun getEapCachePath(): Path {
return getCacheDirectory().resolve(EAP_CACHE_FILE)
}

/**
* Load a list of IDEs from a JSON file.
*
* @return List of IDEs, or empty list if the file doesn't exist or can't be read
*/
private suspend fun loadFeedFromFile(path: Path): List<Ide> = withContext(Dispatchers.IO) {
try {
if (!path.exists()) {
context.logger.info("Cache file does not exist: $path")
return@withContext emptyList()
}

val json = path.readText()
val listType = Types.newParameterizedType(List::class.java, Ide::class.java)
val adapter = moshi.adapter<List<Ide>>(listType)
val ides = adapter.fromJson(json) ?: emptyList()

context.logger.info("Loaded ${ides.size} IDEs from $path")
ides
} catch (e: Exception) {
context.logger.warn(e, "Failed to load feed from $path")
emptyList()
}
}

/**
* Check if offline mode is enabled via the -Doffline=true system property.
*/
private fun isOfflineMode(): Boolean {
return System.getProperty(OFFLINE_PROPERTY)?.toBoolean() == true
}

/**
* Find the best matching IDE based on the provided query criteria.
*
* This method filters the loaded IDEs by product code and type, optionally
* filtering by available builds, then returns the IDE with the highest build.
*
* @param productCode The IntelliJ product code (e.g., "RR" for RustRover)
* @param type The type of IDE release (RELEASE or EAP)
* @param availableBuilds List of acceptable builds to filter by
* @return The IDE with the highest build matching the criteria, or null if no match found
*/
suspend fun findBestMatch(
productCode: String,
type: IdeType,
availableBuilds: List<String>
): Ide? {
val ides = loadIdes()

return ides
.filter { it.code == productCode }
.filter { it.type == type }
.filter { it.build in availableBuilds }
.maxByOrNull { it.build }
}

companion object {
private const val RELEASE_CACHE_FILE = "release.json"
private const val EAP_CACHE_FILE = "eap.json"
private const val OFFLINE_PROPERTY = "offline"
}
}
24 changes: 24 additions & 0 deletions src/main/kotlin/com/coder/toolbox/feed/IdeQuery.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
package com.coder.toolbox.feed

/**
* Query object for finding the best matching IDE from loaded feeds.
*
* This encapsulates the filtering criteria for IDE selection, including
* product code, type (release/eap), and optionally available versions.
*/
data class IdeQuery(
/**
* The IntelliJ product code (e.g., "RR" for RustRover, "IU" for IntelliJ IDEA Ultimate)
*/
val productCode: String,

/**
* The type of IDE release to filter for
*/
val type: IdeType,

/**
* List of available builds to install.
*/
val availableBuilds: List<String>
)
Loading
Loading