Skip to content

Commit 1c3a834

Browse files
committed
version system, dev builds to wasp, updating wasp
1 parent f61e211 commit 1c3a834

File tree

9 files changed

+873
-94
lines changed

9 files changed

+873
-94
lines changed

waspc/cli/exe/Main.hs

+193-90
Large diffs are not rendered by default.

waspc/cli/src/Wasp/Cli/Command/Call.hs

+3-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,8 @@ data Call
1111
| Compile
1212
| Db Arguments -- db args
1313
| Build
14-
| Version
14+
| Version (Maybe String) Bool -- --force
15+
| Update Bool -- --force
1516
| Telemetry
1617
| Deps
1718
| Dockerfile
@@ -21,6 +22,7 @@ data Call
2122
| GenerateBashCompletionScript
2223
| BashCompletionListCommands
2324
| WaspLS
25+
| Secret Arguments -- testing versioning passthrough args
2426
| Deploy Arguments -- deploy cmd passthrough args
2527
| Test Arguments -- "client" | "server", then test cmd passthrough args
2628
| Unknown Arguments -- all args
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,226 @@
1+
module Wasp.Cli.Command.Version.Download
2+
( downloadVersion
3+
, updateWasp
4+
, getLatestVersionFromGithub
5+
, isVersionLessThan
6+
, forceInstallLatest
7+
, forceInstallSpecific
8+
) where
9+
10+
import Control.Monad (when)
11+
import Control.Exception (try, SomeException)
12+
import Network.HTTP.Simple
13+
( httpBS
14+
, getResponseBody
15+
, parseRequest
16+
, setRequestHeader
17+
, getResponseStatusCode
18+
, httpNoBody
19+
, Response
20+
)
21+
import qualified Data.ByteString.Char8 as BS
22+
import System.IO.Temp (withSystemTempDirectory)
23+
import System.Directory
24+
( doesDirectoryExist
25+
, doesFileExist
26+
, copyFile
27+
, removeDirectoryRecursive
28+
, renameDirectory
29+
, removeFile
30+
, executable
31+
, setPermissions
32+
, emptyPermissions
33+
)
34+
import System.FilePath ((</>))
35+
import System.Process (callProcess, callCommand)
36+
import System.Exit (exitFailure)
37+
import System.Info (os)
38+
import Data.Aeson (decode)
39+
import qualified Data.Aeson.Types as Aeson (parseMaybe, (.:))
40+
import qualified Data.ByteString.Lazy.Char8 as LBS
41+
import Wasp.Cli.Command.Version.Paths
42+
( getVersionPaths
43+
, getVersionFile
44+
, getWaspRootDir
45+
, getWaspBinDir
46+
)
47+
48+
-- | Update Wasp to latest version
49+
updateWasp :: IO ()
50+
updateWasp = do
51+
currentVer <- getCurrentReleaseVersion
52+
latestVer <- getLatestVersionFromGithub
53+
54+
when (isVersionLessThan currentVer latestVer) $ do
55+
putStrLn $ "Updating from ${currentVer} to ${latestVer}..."
56+
handleDownloadResult =<< try (downloadVersion latestVer)
57+
updateSystemMetadata latestVer
58+
59+
getCurrentReleaseVersion :: IO String
60+
getCurrentReleaseVersion = getVersionFile "release" >>= readFile
61+
62+
handleDownloadResult :: Either SomeException () -> IO ()
63+
handleDownloadResult (Left e) = do
64+
putStrLn $ "Update failed: " ++ show e
65+
exitFailure
66+
handleDownloadResult (Right _) = return ()
67+
68+
updateSystemMetadata :: String -> IO ()
69+
updateSystemMetadata version = do
70+
updateMainBinary version
71+
writeVersionFiles version
72+
73+
writeVersionFiles :: String -> IO ()
74+
writeVersionFiles version = do
75+
releaseFile <- getVersionFile "release"
76+
activeFile <- getVersionFile "active"
77+
writeFile releaseFile version
78+
writeFile activeFile version
79+
80+
-- | Download and install specific version
81+
downloadVersion :: String -> IO ()
82+
downloadVersion version = do
83+
-- Step 1: Check if the GitHub release exists
84+
versionExists <- checkGitHubRelease version
85+
if not versionExists
86+
then do
87+
putStrLn $ "❌ Error: Version " ++ version ++ " does not exist. See https://github.com/wasp-lang/wasp/releases for available versions."
88+
exitFailure
89+
else do
90+
putStrLn $ "Starting download..."
91+
92+
-- Step 2: Use a temporary directory for download & extraction
93+
withSystemTempDirectory "wasp-download" $ \tmpDir -> do
94+
let archiveFile = tmpDir </> getPlatformString
95+
downloadArchive version archiveFile
96+
extractArchive archiveFile tmpDir
97+
_ <- return tmpDir
98+
99+
versionDir <- getVersionDir version
100+
ensureCleanInstallation versionDir
101+
renameDirectory tmpDir versionDir
102+
putStrLn $ "✅ Wasp version " ++ version ++ " downloaded and activated!"
103+
104+
downloadArchive :: String -> FilePath -> IO ()
105+
downloadArchive version path = do
106+
let url = "https://github.com/wasp-lang/wasp/releases/download/v"
107+
++ version ++ "/" ++ getPlatformString
108+
putStrLn $ "Downloading from " ++ url
109+
request <- parseRequest url
110+
response <- httpBS request
111+
BS.writeFile path (getResponseBody response)
112+
113+
extractArchive :: FilePath -> FilePath -> IO ()
114+
extractArchive archivePath destDir = do
115+
putStrLn "Extracting..."
116+
callProcess "tar" ["-xzf", archivePath, "-C", destDir]
117+
removeFile archivePath
118+
119+
ensureCleanInstallation :: FilePath -> IO ()
120+
ensureCleanInstallation path = do
121+
exists <- doesDirectoryExist path
122+
when exists $ do
123+
putStrLn "Removing existing installation..."
124+
removeDirectoryRecursive path
125+
126+
getVersionDir :: String -> IO FilePath
127+
getVersionDir version = (</> version) <$> getWaspRootDir
128+
129+
-- | Get latest release version from GitHub
130+
getLatestVersionFromGithub :: IO String
131+
getLatestVersionFromGithub = do
132+
response <- httpBS =<< setRequestHeader "User-Agent" ["wasp-cli"]
133+
<$> parseRequest "https://api.github.com/repos/wasp-lang/wasp/releases/latest"
134+
case decodeResponse (getResponseBody response) of
135+
Just version -> return $ drop 1 version -- Remove 'v' prefix
136+
Nothing -> error "Failed to parse GitHub response"
137+
138+
checkGitHubRelease :: String -> IO Bool
139+
checkGitHubRelease version = do
140+
let url = "https://github.com/wasp-lang/wasp/releases/download/v" ++ version ++ "/"
141+
request <- parseRequest url
142+
result <- try (httpNoBody request) :: IO (Either SomeException (Response()))
143+
case result of
144+
Right response ->
145+
let statusCode = getResponseStatusCode response
146+
in return (statusCode == 200)
147+
Left _ -> return False
148+
149+
decodeResponse :: BS.ByteString -> Maybe String
150+
decodeResponse resp = do
151+
release <- decode (LBS.fromStrict resp)
152+
Aeson.parseMaybe (Aeson..: "tag_name") release
153+
154+
-- Platform-specific configuration
155+
getPlatformString :: String
156+
getPlatformString = case os of
157+
"darwin" -> "wasp-macos-x86_64.tar.gz"
158+
"linux" -> "wasp-linux-x86_64.tar.gz"
159+
_ -> error $ "Unsupported OS: " ++ os
160+
161+
-- | Create or update the wrapper script
162+
updateWrapperScript :: FilePath -> FilePath -> FilePath -> IO ()
163+
updateWrapperScript name binaryPath dataPath = do
164+
binDir <- getWaspBinDir
165+
let wrapperPath = binDir </> name
166+
wrapperContent = unlines
167+
[ "#!/usr/bin/env bash"
168+
, "waspc_datadir=" ++ dataPath ++ " " ++ binaryPath ++ " \"$@\""
169+
]
170+
writeFile wrapperPath wrapperContent
171+
setPermissions wrapperPath $ emptyPermissions { executable = True }
172+
173+
-- | Update the main wasp binary to a specific version
174+
updateMainBinary :: String -> IO ()
175+
updateMainBinary version = do
176+
(versionBin, dataDir) <- getVersionPaths version
177+
binDir <- getWaspBinDir
178+
let mainBinary = binDir </> "wasp"
179+
180+
exists <- doesFileExist versionBin
181+
if exists
182+
then do
183+
-- Copy the binary
184+
copyFile versionBin mainBinary
185+
setPermissions mainBinary $ emptyPermissions { executable = True }
186+
187+
-- Update the wrapper script
188+
updateWrapperScript "wasp" mainBinary dataDir
189+
putStrLn "Updated wasp wrapper script"
190+
else error $ "Version " ++ version ++ " binary not found"
191+
192+
-- | Semantic version comparison
193+
isVersionLessThan :: String -> String -> Bool
194+
isVersionLessThan a b = case (parseVersion a, parseVersion b) of
195+
(Just v1, Just v2) -> v1 < v2
196+
_ -> False
197+
198+
parseVersion :: String -> Maybe (Int, Int, Int)
199+
parseVersion v = case reads v of
200+
[(major, '.':rest1)] -> case reads rest1 of
201+
[(minor, '.':rest2)] -> case reads rest2 of
202+
[(patch, "")] -> Just (major, minor, patch)
203+
_ -> Nothing
204+
_ -> Nothing
205+
_ -> Nothing
206+
207+
208+
-- | Force install latest version of Wasp
209+
forceInstallLatest :: IO ()
210+
forceInstallLatest = do
211+
releaseFile <- getVersionFile "release"
212+
activeFile <- getVersionFile "active"
213+
doesFileExist releaseFile >>= flip when (removeFile releaseFile)
214+
doesFileExist activeFile >>= flip when (removeFile activeFile)
215+
putStrLn "Forcing installation of the latest version of Wasp..."
216+
callCommand "curl -sSL https://get.wasp-lang.dev/installer.sh | sh -s"
217+
218+
-- | Force install a specific version of Wasp
219+
forceInstallSpecific :: String -> IO ()
220+
forceInstallSpecific version = do
221+
releaseFile <- getVersionFile "release"
222+
activeFile <- getVersionFile "active"
223+
doesFileExist releaseFile >>= flip when (removeFile releaseFile)
224+
doesFileExist activeFile >>= flip when (removeFile activeFile)
225+
putStrLn $ "Forcing installation of Wasp version " ++ version ++ "..."
226+
callCommand $ "curl -sSL https://get.wasp-lang.dev/installer.sh | sh -s -- -v " ++ version
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,97 @@
1+
module Wasp.Cli.Command.Version.Executor
2+
( executeWithVersion
3+
, readProcessWithExitCode
4+
, readProcessWithExitCodeEnv
5+
) where
6+
7+
import System.Process (
8+
proc
9+
, createProcess
10+
, waitForProcess
11+
, StdStream(..)
12+
, std_in
13+
, std_out
14+
, std_err
15+
, env
16+
)
17+
import qualified Data.ByteString.Char8 as BS
18+
import Control.Concurrent.MVar
19+
import Control.Monad (unless)
20+
import Control.Exception (evaluate)
21+
import Control.Concurrent (forkIO)
22+
import System.Environment (getEnvironment)
23+
import System.IO (hGetContents, hClose)
24+
import System.Exit (exitFailure, exitWith, ExitCode(..))
25+
import System.Directory (doesFileExist)
26+
import Wasp.Cli.Command.Version.VersionManagement (detectWrapperVersion, getActiveVersion)
27+
import Wasp.Cli.Command.Version.Paths (getVersionPaths, getMainBinaryPath, getVersionFile)
28+
29+
30+
-- | Execute a command using appropriate version
31+
executeWithVersion :: [String] -> IO ()
32+
executeWithVersion args = do
33+
(activeVer, releaseVer) <- getInstallationVersions
34+
35+
if activeVer == releaseVer
36+
then runMainProcess args
37+
else runVersionedProcess activeVer args
38+
where
39+
runMainProcess args' = do
40+
binPath <- getMainBinaryPath
41+
(exitCode, _, _) <- readProcessWithExitCode binPath args' ""
42+
exitWith exitCode
43+
44+
runVersionedProcess ver args' = do
45+
(verBin, dataDir) <- getVersionPaths ver
46+
binExists <- doesFileExist verBin
47+
if binExists
48+
then do
49+
let envVars = [("waspc_datadir", dataDir)]
50+
(exitCode, _, _) <- readProcessWithExitCodeEnv verBin args' envVars
51+
exitWith exitCode
52+
else do
53+
putStrLn $ "Version " ++ ver ++ " not found in: " ++ verBin
54+
exitFailure
55+
56+
-- | Helper to execute process with additional environment variables
57+
readProcessWithExitCodeEnv :: FilePath -> [String] -> [(String, String)] -> IO (ExitCode, String, String)
58+
readProcessWithExitCodeEnv cmd args envVars = do
59+
oldEnv <- getEnvironment
60+
let newEnv = oldEnv ++ envVars
61+
(_, Just outh, Just errh, ph) <-
62+
createProcess (proc cmd args) { std_out = CreatePipe, std_err = CreatePipe, env = Just newEnv }
63+
out <- hGetContents outh
64+
err <- hGetContents errh
65+
exitCode <- waitForProcess ph
66+
return (exitCode, out, err)
67+
68+
-- Helper to read process output
69+
readProcessWithExitCode :: FilePath -> [String] -> String -> IO (ExitCode, String, String)
70+
readProcessWithExitCode cmd args stdin = do
71+
(Just inh, Just outh, Just errh, ph) <-
72+
createProcess (proc cmd args){ std_in = CreatePipe, std_out = CreatePipe, std_err = CreatePipe }
73+
unless (null stdin) $ do
74+
BS.hPutStr inh (BS.pack stdin)
75+
hClose inh
76+
out <- hGetContents outh
77+
err <- hGetContents errh
78+
outMVar <- newMVar ""
79+
errMVar <- newMVar ""
80+
_ <- forkIO $ evaluate (length out) >> putMVar outMVar out
81+
_ <- forkIO $ evaluate (length err) >> putMVar errMVar err
82+
exitCode <- waitForProcess ph
83+
out' <- takeMVar outMVar
84+
err' <- takeMVar errMVar
85+
pure (exitCode, out', err')
86+
87+
-- | Get both active and release versions
88+
getInstallationVersions :: IO (String, String)
89+
getInstallationVersions = do
90+
active <- getActiveVersion
91+
release <- getReleaseVersion
92+
pure (active, release)
93+
where
94+
getReleaseVersion = do
95+
releaseFile <- getVersionFile "release"
96+
exists <- doesFileExist releaseFile
97+
if exists then readFile releaseFile else detectWrapperVersion
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,48 @@
1+
module Wasp.Cli.Command.Version.Paths
2+
( getWaspRootDir
3+
, getWaspBinDir
4+
, getMainBinaryPath
5+
, getVersionFile
6+
, getVersionPaths
7+
) where
8+
9+
import qualified Wasp.Cli.FileSystem as FS
10+
import qualified StrongPath as SP
11+
import System.FilePath ((</>), takeDirectory, takeFileName)
12+
import System.Directory (doesFileExist)
13+
14+
-- Directory structure constants
15+
waspRootDirName :: FilePath
16+
waspRootDirName = ".local/share/wasp-lang"
17+
18+
waspBinDirName :: FilePath
19+
waspBinDirName = ".local/bin"
20+
21+
-- | Get the root directory for Wasp installations
22+
getWaspRootDir :: IO FilePath
23+
getWaspRootDir = do
24+
homeDir <- SP.fromAbsDir <$> FS.getHomeDir
25+
return $ homeDir </> waspRootDirName
26+
27+
-- | Get the directory for Wasp binaries
28+
getWaspBinDir :: IO FilePath
29+
getWaspBinDir = do
30+
homeDir <- SP.fromAbsDir <$> FS.getHomeDir
31+
return $ homeDir </> waspBinDirName
32+
33+
-- | Path to main wasp wrapper script
34+
getMainBinaryPath :: IO FilePath
35+
getMainBinaryPath = (</> "wasp") <$> getWaspBinDir
36+
37+
-- | Get path to version metadata files
38+
getVersionFile :: String -> IO FilePath
39+
getVersionFile fileName = do
40+
rootDir <- getWaspRootDir
41+
return $ rootDir </> fileName
42+
43+
-- | Get paths for a specific version installation
44+
getVersionPaths :: String -> IO (FilePath, FilePath)
45+
getVersionPaths version = do
46+
rootDir <- getWaspRootDir
47+
let versionDir = rootDir </> version
48+
return (versionDir </> "wasp-bin", versionDir </> "data")

0 commit comments

Comments
 (0)