Dataset Viewer
Auto-converted to Parquet Duplicate
fact
stringlengths
18
2.71k
type
stringclasses
5 values
library
stringclasses
4 values
imports
listlengths
0
7
filename
stringclasses
18 values
symbolic_name
stringlengths
3
28
docstring
stringclasses
19 values
SupportedOS where | linux | macos | windows deriving Inhabited, BEq
inductive
root
[ "import Lake" ]
lakefile.lean
SupportedOS
null
getOS ! : SupportedOS := if Platform.isWindows then .windows else if Platform.isOSX then .macos else .linux
def
root
[ "import Lake" ]
lakefile.lean
getOS
null
SupportedArch where | x86_64 | arm64 deriving Inhabited, BEq
inductive
root
[ "import Lake" ]
lakefile.lean
SupportedArch
null
nproc : IO Nat := do let cmd := if getOS! == .windows then "cmd" else "nproc" let args := if getOS! == .windows then #["/c echo %NUMBER_OF_PROCESSORS%"] else #[] let out ← IO.Process.output {cmd := cmd, args := args, stdin := .null} return out.stdout.trim.toNat!
def
root
[ "import Lake" ]
lakefile.lean
nproc
null
getArch ? : IO (Option SupportedArch) := do let cmd := if getOS! == .windows then "cmd" else "uname" let args := if getOS! == .windows then #["/c echo %PROCESSOR_ARCHITECTURE%\n"] else #["-m"] let out ← IO.Process.output {cmd := cmd, args := args, stdin := .null} let arch := out.stdout.trim if arch ∈ ["arm64", "aarch64...
def
root
[ "import Lake" ]
lakefile.lean
getArch
null
getArch ! : IO SupportedArch := do if let some arch ← getArch? then return arch else error "Unknown architecture"
def
root
[ "import Lake" ]
lakefile.lean
getArch
null
isArm ! : IO Bool := do return (← getArch!) == .arm64
def
root
[ "import Lake" ]
lakefile.lean
isArm
null
hasCUDA : IO Bool := do if getOS! == .windows then let ok ← testProc { cmd := "nvidia-smi" args := #[] } return ok else let out ← IO.Process.output {cmd := "which", args := #["nvcc"], stdin := .null} return out.exitCode == 0
def
root
[ "import Lake" ]
lakefile.lean
hasCUDA
null
useCUDA : IO Bool := do return (get_config? noCUDA |>.isNone) ∧ (← hasCUDA)
def
root
[ "import Lake" ]
lakefile.lean
useCUDA
null
buildArchiveName : String := let arch := if run_io isArm! then "arm64" else "x86_64" let os := if getOS! == .macos then "macOS" else "linux" if run_io useCUDA then s!"{arch}-cuda-{os}.tar.gz" else s!"{arch}-{os}.tar.gz"
def
root
[ "import Lake" ]
lakefile.lean
buildArchiveName
null
SupportedPlatform where os : SupportedOS arch : SupportedArch
structure
root
[ "import Lake" ]
lakefile.lean
SupportedPlatform
null
getPlatform ! : IO SupportedPlatform := do if Platform.numBits != 64 then error "Only 64-bit platforms are supported" return ⟨getOS!, ← getArch!⟩
def
root
[ "import Lake" ]
lakefile.lean
getPlatform
null
copySingleFile (src dst : FilePath) : LogIO Unit := do let cmd := if getOS! == .windows then "cmd" else "cp" let args := if getOS! == .windows then #[s!"/c copy {src.toString.replace "/" "\\"} {dst.toString.replace "/" "\\"}"] else #[src.toString, dst.toString] proc { cmd := cmd args := args }
def
root
[ "import Lake" ]
lakefile.lean
copySingleFile
null
copyFolder (src dst : FilePath) : LogIO Unit := do let cmd := if getOS! == .windows then "robocopy" else "cp" let args := if getOS! == .windows then #[src.toString, dst.toString, "/E"] else #["-r", src.toString, dst.toString] let _out ← rawProc { cmd := cmd args := args }
def
root
[ "import Lake" ]
lakefile.lean
copyFolder
null
removeFolder (dir : FilePath) : LogIO Unit := do let cmd := if getOS! == .windows then "cmd" else "rm" let args := if getOS! == .windows then #[s!"/c rmdir /s /q {dir.toString.replace "/" "\\"}"] else #["-rf", dir.toString] proc { cmd := cmd args := args }
def
root
[ "import Lake" ]
lakefile.lean
removeFolder
null
removeFile (src: FilePath) : LogIO Unit := do proc { cmd := if getOS! == .windows then "cmd" else "rm" args := if getOS! == .windows then #[s!"/c del {src.toString.replace "/" "\\"}"] else #[src.toString] } package LeanCopilot where preferReleaseBuild := get_config? noCloudRelease |>.isNone buildArchive? := buildArchiv...
def
root
[ "import Lake" ]
lakefile.lean
removeFile
null
nameToVersionedSharedLib (name : String) (v : String) : String := if Platform.isWindows then s!"lib{name}.{v}.dll" else if Platform.isOSX then s!"lib{name}.{v}.dylib" else s!"lib{name}.so.{v}"
def
root
[ "import Lake" ]
lakefile.lean
nameToVersionedSharedLib
null
afterReleaseSync {α : Type} (pkg : Package) (build : SpawnM (Job α)) : FetchM (Job α) := do if pkg.preferReleaseBuild ∧ pkg.name ≠ (← getRootPackage).name then (← pkg.optGitHubRelease.fetch).bindM fun _ => build else build
def
root
[ "import Lake" ]
lakefile.lean
afterReleaseSync
null
afterReleaseAsync {α : Type} (pkg : Package) (build : JobM α) : FetchM (Job α) := do if pkg.preferReleaseBuild ∧ pkg.name ≠ (← getRootPackage).name then (← pkg.optGitHubRelease.fetch).mapM fun _ => build else Job.async build
def
root
[ "import Lake" ]
lakefile.lean
afterReleaseAsync
null
ensureDirExists (dir : FilePath) : IO Unit := do if !(← dir.pathExists) then IO.FS.createDirAll dir
def
root
[ "import Lake" ]
lakefile.lean
ensureDirExists
null
gitClone (url : String) (cwd : Option FilePath) : LogIO Unit := do proc (quiet := true) { cmd := "git" args := if getOS! == .windows then #["clone", url] else #["clone", "--recursive", url] cwd := cwd }
def
root
[ "import Lake" ]
lakefile.lean
gitClone
null
runCmake (root : FilePath) (flags : Array String) : LogIO Unit := do assert! (← root.pathExists) ∧ (← (root / "CMakeLists.txt").pathExists) let buildDir := root / "build" if ← buildDir.pathExists then IO.FS.removeDirAll buildDir IO.FS.createDirAll buildDir let ok ← testProc { cmd := "cmake" args := flags ++ #[".."] cwd...
def
root
[ "import Lake" ]
lakefile.lean
runCmake
null
getCt2CmakeFlags : IO (Array String) := do let mut flags := #["-DOPENMP_RUNTIME=NONE", "-DWITH_MKL=OFF"] match getOS! with | .macos => flags := flags ++ #["-DWITH_ACCELERATE=ON", "-DWITH_OPENBLAS=OFF"] | .linux => flags := flags ++ #["-DWITH_ACCELERATE=OFF", "-DWITH_OPENBLAS=ON", "-DOPENBLAS_INCLUDE_DIR=../../OpenBLAS"...
def
root
[ "import Lake" ]
lakefile.lean
getCt2CmakeFlags
null
buildCpp (pkg : Package) (path : FilePath) (dep : Job FilePath) : SpawnM (Job FilePath) := do let optLevel := if pkg.buildType == .release then "-O3" else "-O0" let flags := #["-fPIC", "-std=c++17", optLevel] let mut args := flags ++ #[ "-I", (← getLeanIncludeDir).toString, "-I", (pkg.buildDir / "include").toString, ] ...
def
root
[ "import Lake" ]
lakefile.lean
buildCpp
null
suggestion (tac : String) (msgs : MessageLog := {}) : TacticM Suggestion := do -- TODO `addExactSuggestion` has an option to construct `postInfo?` -- Factor that out so we can use it here instead of copying and pasting? let goals ← getGoals let postInfo? ← if goals.isEmpty then pure none else let mut str := "\nRemainin...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import Lean.Meta.Tactic.TryThis", "import Batteries.Data.MLList.Basic", "import Batteries.Control.Nondet.Basic" ]
LeanCopilot/Frontend.lean
suggestion
/-- Construct a suggestion for a tactic. * Check the passed `MessageLog` for an info message beginning with "Try this: ". * If found, use that as the suggestion. * Otherwise use the provided syntax. * Also, look for remaining goals and pretty print them after the suggestion. -/
withMessageLog (t : TacticM Unit) : TacticM MessageLog := do let initMsgs ← modifyGetThe Core.State fun st => (st.messages, { st with messages := {} }) t modifyGetThe Core.State fun st => (st.messages, { st with messages := initMsgs }) /-- Run a tactic, but revert any changes to info trees. We use this to inhibit the c...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import Lean.Meta.Tactic.TryThis", "import Batteries.Data.MLList.Basic", "import Batteries.Control.Nondet.Basic" ]
LeanCopilot/Frontend.lean
withMessageLog
/-- Run a tactic, returning any new messages rather than adding them to the message log. -/
withoutInfoTrees (t : TacticM Unit) : TacticM Unit := do let trees := (← getInfoState).trees t modifyInfoState fun s => { s with trees } open Lean.Meta.Tactic.TryThis in
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import Lean.Meta.Tactic.TryThis", "import Batteries.Data.MLList.Basic", "import Batteries.Control.Nondet.Basic" ]
LeanCopilot/Frontend.lean
withoutInfoTrees
/-- Run a tactic, but revert any changes to info trees. We use this to inhibit the creation of widgets by subsidiary tactics. -/
hint (stx : Syntax) (tacStrs : Array String) (check : Bool) : TacticM Unit := do if check then let tacStxs ← tacStrs.filterMapM fun tstr : String => do match runParserCategory (← getEnv) `tactic tstr with | Except.error _ => return none | Except.ok stx => return some (tstr, stx) let tacs := Nondet.ofList tacStxs.toList...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import Lean.Meta.Tactic.TryThis", "import Batteries.Data.MLList.Basic", "import Batteries.Control.Nondet.Basic" ]
LeanCopilot/Frontend.lean
hint
/-- Run a tactic, but revert any changes to info trees. We use this to inhibit the creation of widgets by subsidiary tactics. -/
tacGen : Aesop.TacGen := fun (mvarId : MVarId) => do let state ← ppTacticState [mvarId] let nm ← SuggestTactics.getGeneratorName let model ← getGenerator nm let suggestions ← generate model state "" -- A temporary workaround to prevent the tactic from using the current theorem. -- TODO: Use a more principled way, e.g.,...
def
LeanCopilot
[ "import LeanCopilot.Tactics", "import LeanCopilot.Options", "import Batteries.Data.String.Basic", "import Aesop" ]
LeanCopilot/LlmAesop.lean
tacGen
null
isVerbose : m Bool := do match LeanCopilot.verbose.get? (← getOptions) with | some true => return true | _ => return false namespace SuggestTactics register_option LeanCopilot.suggest_tactics.check : Bool := { defValue := true descr := "Whether to run the generated tactics." }
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models" ]
LeanCopilot/Options.lean
isVerbose
null
checkTactics : CoreM Bool := do match LeanCopilot.suggest_tactics.check.get? (← getOptions) with | some false => return false | _ => return true register_option LeanCopilot.suggest_tactics.model : String := { defValue := Builtin.generator.name }
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models" ]
LeanCopilot/Options.lean
checkTactics
null
getGeneratorName : m String := do match LeanCopilot.suggest_tactics.model.get? (← getOptions) with | some n => return n | _ => return Builtin.generator.name
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models" ]
LeanCopilot/Options.lean
getGeneratorName
null
getNumPremises : m Nat := do match LeanCopilot.select_premises.k.get? (← getOptions) with | some k => return k | _ => return 16
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models" ]
LeanCopilot/Options.lean
getNumPremises
null
ppTacticState : List MVarId → MetaM String | [] => return "no goals" | [g] => return (← Meta.ppGoal g).pretty | goals => return (← goals.foldlM (init := "") (fun a b => do return s!"{a}\n\n{(← Meta.ppGoal b).pretty}")).trim /-- Pretty-print the current tactic state. -/
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
ppTacticState
/-- Pretty-print a list of goals. -/
getPpTacticState : TacticM String := do let goals ← getUnsolvedGoals ppTacticState goals open SuggestTactics in /-- Generate a list of tactic suggestions. -/
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
getPpTacticState
/-- Pretty-print the current tactic state. -/
suggestTactics (targetPrefix : String) : TacticM (Array (String × Float)) := do let state ← getPpTacticState let nm ← getGeneratorName let model ← getGenerator nm let suggestions ← generate model state targetPrefix -- A temporary workaround to prevent the tactic from using the current theorem. -- TODO: Use a more princ...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
suggestTactics
/-- Generate a list of tactic suggestions. -/
PremiseInfo where name : String path : String code : String score : Float /-- Annotate a premise with its type, doc string, import module path, and definition code. -/
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
PremiseInfo
/-- Information of a premise. -/
annotatePremise (pi : PremiseInfo) : MetaM String := do let declName := pi.name.toName try let info ← getConstInfo declName let premise_type ← Meta.ppExpr info.type let some doc_str ← findDocString? (← getEnv) declName | return s!"{pi.name} : {premise_type}\n" return s!"{pi.name} : {premise_type}\n```doc\n{doc_str}\n``...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
annotatePremise
/-- Annotate a premise with its type, doc string, import module path, and definition code. -/
retrieve (input : String) : TacticM (Array PremiseInfo) := do if ¬ (← premiseEmbeddingsInitialized) ∧ ¬ (← initPremiseEmbeddings .auto) then throwError "Cannot initialize premise embeddings" if ¬ (← premiseDictionaryInitialized) ∧ ¬ (← initPremiseDictionary) then throwError "Cannot initialize premise dictionary" let k ...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
retrieve
/-- Retrieve a list of premises given a query. -/
selectPremises : TacticM (Array PremiseInfo) := do retrieve (← getPpTacticState) syntax "pp_state" : tactic syntax "suggest_tactics" : tactic syntax "suggest_tactics" str : tactic syntax "select_premises" : tactic macro_rules | `(tactic | suggest_tactics%$tac) => `(tactic | suggest_tactics%$tac "") elab_rules : tactic ...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Options", "import LeanCopilot.Frontend", "import Aesop.Util.Basic", "import Batteries.Data.String.Basic", "import Batteries.Data.String.Matcher" ]
LeanCopilot/Tactics.lean
selectPremises
/-- Retrieve a list of premises using the current pretty-printed tactic state as the query. -/
reprover : NativeGenerator := { url := Url.parse! "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-tacgen-byt5-small" tokenizer := ByT5.tokenizer params := { numReturnSequences := 1 } } #eval generate reprover "n : ℕ\n⊢ gcd n n = n"
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
reprover
/-- ReProver's tactic generator in CT2 format. -/
reprover' : NativeGenerator := {reprover with device := .cpu computeType := .float32 params := {numReturnSequences := 4} } #eval generate reprover' "n : ℕ\n⊢ gcd n n = n" /-- The original ByT5 checkpoint in CT2 format. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
reprover'
/-- ReProver's tactic generator in CT2 format. -/
byt5 : NativeGenerator := { url := Url.parse! "https://huggingface.co/kaiyuy/ct2-byt5-small" tokenizer := ByT5.tokenizer params := { numReturnSequences := 1 } } #eval generate byt5 "Hello, world!" /-- ReProver's retriever encoder in CT2 format. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
byt5
/-- The original ByT5 checkpoint in CT2 format. -/
reproverEncoder : NativeEncoder := { url := Url.parse! "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-retriever-byt5-small" tokenizer := ByT5.tokenizer } #eval encode reproverEncoder "n : ℕ\n⊢ gcd n n = n" /-- Arbitrary generator you can define. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
reproverEncoder
/-- ReProver's retriever encoder in CT2 format. -/
dummyGenerator : GenericGenerator where generate _ _ := return #[⟨"Hello, world!", 0.5⟩, ("Hi!", 0.3)] #eval generate dummyGenerator "n : ℕ\n⊢ gcd n n = n" /-- Arbitrary encoder you can define. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
dummyGenerator
/-- Arbitrary generator you can define. -/
dummyEncoder : GenericEncoder where encode _ := return FloatArray.mk #[1, 2, 3] #eval encode dummyEncoder "Hi!" /- External Models 1. Make sure the model is up and running, e.g., by going to ./python and running `uvicorn server:app --port 23337`. 2. Uncomment the code below. -/ /- /-- https://huggingface.co/wellecks/ll...
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
dummyEncoder
/-- Arbitrary encoder you can define. -/
pythia : ExternalGenerator := { name := "wellecks/llmstep-mathlib4-pythia2.8b" host := "localhost" port := 23337 } #eval generate pythia "n : ℕ\n⊢ gcd n n = n" /-- ReProver's retriever encoder as an external model. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
pythia
/-- https://huggingface.co/wellecks/llmstep-mathlib4-pythia2.8b -/
reproverExternalEncoder : ExternalEncoder := { name := "kaiyuy/leandojo-lean4-retriever-byt5-small" host := "localhost" port := 23337 } -- Go to ./python and run `uvicorn server:app --port 23337` #eval encode reproverExternalEncoder "n : ℕ\n⊢ gcd n n = n" /-- General-purpose LLM apis: openai, claude, etc. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
reproverExternalEncoder
/-- ReProver's retriever encoder as an external model. -/
gpt4 : ExternalGenerator := { name := "gpt4" host := "localhost" port := 23337 } #eval generate gpt4 "n : ℕ\n⊢ gcd n n = n" /-- Math LLMs: InternLM, Deepseekmath, etc. -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
gpt4
/-- General-purpose LLM apis: openai, claude, etc. -/
internLM : ExternalGenerator := { name := "InternLM" host := "localhost" port := 23337 } #eval generate internLM "n : ℕ\n⊢ gcd n n = n" -/ /-
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
internLM
/-- Math LLMs: InternLM, Deepseekmath, etc. -/
kimina : ExternalGenerator := { name := "kimina" host := "localhost" port := 23337 } #eval generate kimina "n : ℕ\n⊢ gcd n n = n" -/
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/ModelAPIs.lean
kimina
/-- Math LLMs: InternLM, Deepseekmath, etc. -/
params := {Builtin.generator.params with numReturnSequences := 4 minLength := 100 lengthPenalty := 1.0 temperature := 0.5 }
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/TacticSuggestion.lean
params
null
updatedModel := {Builtin.generator with params := params} #eval getModelRegistry #eval registerGenerator "updatedModel" (.native updatedModel) #eval getModelRegistry set_option LeanCopilot.suggest_tactics.model "updatedModel" in
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/TacticSuggestion.lean
updatedModel
null
myModel : ExternalGenerator := { name := "wellecks/llmstep-mathlib4-pythia2.8b" host := "localhost" port := 23337 } #eval registerGenerator "wellecks/llmstep-mathlib4-pythia2.8b" (.external myModel) set_option LeanCopilot.suggest_tactics.check false in set_option LeanCopilot.suggest_tactics.model "wellecks/llmstep-math...
def
LeanCopilotTests
[ "import LeanCopilot" ]
LeanCopilotTests/TacticSuggestion.lean
myModel
null
SupportedOS where | linux | macos | windows deriving Inhabited, BEq
inductive
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
SupportedOS
null
getOS ! : SupportedOS := if System.Platform.isWindows then .windows else if System.Platform.isOSX then .macos else .linux
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
getOS
null
ensureDirExists (dir : FilePath) : IO Unit := do if ¬ (← dir.pathExists) then IO.FS.createDirAll dir
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
ensureDirExists
null
getHomeDir : IO FilePath := do let home := if getOS! == .windows then "USERPROFILE" else "HOME" let some dir ← IO.getEnv home | throw $ IO.userError s!"Cannot find the ${home} environment variable." return dir
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
getHomeDir
null
getDefaultCacheDir : IO FilePath := do return (← getHomeDir) / ".cache/lean_copilot/models"
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
getDefaultCacheDir
null
getCacheDir : IO FilePath := do let defaultCacheDir ← getDefaultCacheDir let dir := match ← IO.getEnv "LEAN_COPILOT_CACHE_DIR" with | some dir => (dir : FilePath) | none => defaultCacheDir ensureDirExists dir return dir.normalize
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
getCacheDir
null
getModelDir (url : Url) : IO FilePath := do return (← getCacheDir) / url.hostname / url.path |>.normalize
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
getModelDir
null
isUpToDate (url : Url) : IO Bool := do let dir := ← getModelDir url if ¬ (← dir.pathExists) then return false let _ ← IO.Process.run { cmd := "git" args := #["fetch", "--quiet", "--all"] cwd := dir } let branch := (← IO.Process.run { cmd := "git" args := #["symbolic-ref", "refs/remotes/origin/HEAD","--short"] cwd := di...
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
isUpToDate
null
initGitLFS : IO Unit := do let proc ← IO.Process.output { cmd := "git" args := #["lfs", "install"] } if proc.exitCode != 0 then throw $ IO.userError "Failed to initialize Git LFS. Please install it."
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
initGitLFS
null
downloadUnlessUpToDate (url : Url) : IO Unit := do let dir := ← getModelDir url if ← isUpToDate url then println! s!"The model is available at {dir}" return println! s!"Downloading the model into {dir}" if ← dir.pathExists then IO.FS.removeDirAll dir let some parentDir := dir.parent | unreachable! IO.FS.createDirAll pa...
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url" ]
ModelCheckpointManager/Download.lean
downloadUnlessUpToDate
null
builtinModelUrls : List String := [ "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-tacgen-byt5-small", "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-retriever-byt5-small", "https://huggingface.co/kaiyuy/premise-embeddings-leandojo-lean4-retriever-byt5-small", "https://huggingface.co/kaiyuy/ct2-byt5-small" ]
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url", "import ModelCheckpointManager.Download" ]
ModelCheckpointManager/Main.lean
builtinModelUrls
null
main (args : List String) : IO Unit := do let mut tasks := #[] let urls := Url.parse! <$> (if args.isEmpty then builtinModelUrls else args) for url in urls do tasks := tasks.push $ ← IO.asTask $ downloadUnlessUpToDate url for t in tasks do match ← IO.wait t with | Except.error e => throw e | Except.ok _ => pure () prin...
def
ModelCheckpointManager
[ "import ModelCheckpointManager.Url", "import ModelCheckpointManager.Download" ]
ModelCheckpointManager/Main.lean
main
null
Url where protocol : String hostname : String path : FilePath deriving Inhabited, Repr namespace Url
structure
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
Url
null
isValid (url : Url) : Bool := ¬ url.protocol.isEmpty ∧ ¬ url.hostname.isEmpty ∧ ¬ url.path.toString.isEmpty ∧ url.path.isRelative ∧ url.path.fileName.isSome
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
isValid
null
toString (url : Url) : String := assert! isValid url s!"{url.protocol}://{url.hostname}/{url.path}"
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
toString
null
parse (s : String) : Option Url := let parts := s.splitOn "://" if h : parts.length != 2 then none else have : parts.length > 1 := by by_cases h' : parts.length = 2 · rw [h'] apply Nat.lt_succ_of_le simp · simp_all have : parts.length > 0 := by apply Nat.lt_of_succ_lt assumption let protocol := parts[0] match parts[1]....
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
parse
null
parse ! (s : String) : Url := match parse s with | some url => url | none => panic! "Invalid url: {s}"
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
parse
null
name ! (url : Url) : String := url.path.fileName.get!
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
name
null
url₁ := parse! "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-tacgen-byt5-small"
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
url₁
null
url₂ := parse! "https://huggingface.co/bert-base-uncased" #eval url₁ #eval url₂ #eval url₁.name! #eval url₂.name!
def
ModelCheckpointManager
[]
ModelCheckpointManager/Url.lean
url₂
null
generator : NativeGenerator := { url := Url.parse! "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-tacgen-byt5-small" tokenizer := ByT5.tokenizer params := { numReturnSequences := 32 } }
def
LeanCopilot
[ "import ModelCheckpointManager", "import LeanCopilot.Models.ByT5" ]
LeanCopilot/Models/Builtin.lean
generator
null
encoder : NativeEncoder := { url := Url.parse! "https://huggingface.co/kaiyuy/ct2-leandojo-lean4-retriever-byt5-small" tokenizer := ByT5.tokenizer }
def
LeanCopilot
[ "import ModelCheckpointManager", "import LeanCopilot.Models.ByT5" ]
LeanCopilot/Models/Builtin.lean
encoder
null
premisesUrl := Url.parse! "https://huggingface.co/kaiyuy/premise-embeddings-leandojo-lean4-retriever-byt5-small"
def
LeanCopilot
[ "import ModelCheckpointManager", "import LeanCopilot.Models.ByT5" ]
LeanCopilot/Models/Builtin.lean
premisesUrl
null
vocab : Array String := #[ "\u0000", "\u0001", "\u0002", "\u0003", "\u0004", "\u0005", "\u0006", "\u0007", "\\b", "\t", "\n", "\u000b", "\\f", "\r", "\u000e", "\u000f", "\u0010", "\u0011", "\u0012", "\u0013", "\u0014", "\u0015", "\u0016", "\u0017", "\u0018", "\u0019", "\u001a", "\u001b", "\u001c", "\u001d", "\u001e", "...
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
vocab
null
byteToToken (b : UInt8) : String := vocab[b.toNat]!
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
byteToToken
null
tokenToByte ! (t : String) : UInt8 := vocab.findIdx? (· = t) |>.get! |>.toUInt8
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
tokenToByte
null
tokenize (text : String) : Array String := (byteToToken <$> text.toUTF8.toList).toArray
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
tokenize
null
detokenize (tokens : Array String) : String := match (String.fromUTF8? ⟨tokens.map tokenToByte!⟩) with | some s => s | none => ""
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
detokenize
null
eosToken := "</s>"
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
eosToken
null
tokenizer : Tokenizer := { tokenize := tokenize, detokenize := detokenize, eosToken := eosToken }
def
LeanCopilot
[ "import LeanCopilot.Models.Native" ]
LeanCopilot/Models/ByT5.lean
tokenizer
null
ExternalModel where name : String host : String := "localhost" port : UInt16 := 23337 deriving Inhabited, Repr
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
ExternalModel
null
ExternalGenerator extends ExternalModel deriving Repr
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
ExternalGenerator
null
GeneratorRequest where name : String input : String «prefix» : String deriving ToJson
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
GeneratorRequest
null
Generation where output: String score: Float deriving FromJson
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
Generation
null
GeneratorResponse where outputs : Array Generation deriving FromJson
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
GeneratorResponse
null
EnencoderRequest where name : String input : String deriving ToJson
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
EnencoderRequest
null
EncoderResponse where outputs : Array Float deriving FromJson
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
EncoderResponse
null
send {α β : Type} [ToJson α] [FromJson β] (req : α) (url : String) : IO β := do let reqStr := (toJson req).pretty 99999999999999999 let out ← IO.Process.output { cmd := "curl" args := #["-X", "POST", url, "-H", "accept: application/json", "-H", "Content-Type: application/json", "-d", reqStr] } if out.exitCode != 0 then...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
send
null
ExternalGenerator.generate (model : ExternalGenerator) (input : String) (targetPrefix : String) : IO $ Array (String × Float) := do let url := s!"http://{model.host}:{model.port}/generate" let req : GeneratorRequest := { name := model.name, input := input, «prefix» := targetPrefix } let res : GeneratorResponse ← send r...
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
ExternalGenerator.generate
null
ExternalEncoder extends ExternalModel deriving Repr
structure
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
ExternalEncoder
null
ExternalEncoder.encode (model : ExternalEncoder) (input : String) : IO FloatArray := do let url := s!"http://{model.host}:{model.port}/encode" let req : EnencoderRequest := { name := model.name, input := input, } let res : EncoderResponse ← send req url return FloatArray.mk res.outputs
def
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface" ]
LeanCopilot/Models/External.lean
ExternalEncoder.encode
null
isGeneratorInitialized : (name : @& String) → Bool @[extern "is_encoder_initialized"]
opaque
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface", "import LeanCopilot.Models.Native", "import LeanCopilot.Models.Builtin" ]
LeanCopilot/Models/FFI.lean
isGeneratorInitialized
null
isEncoderInitialized : (name : @& String) → Bool @[extern "init_generator"]
opaque
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface", "import LeanCopilot.Models.Native", "import LeanCopilot.Models.Builtin" ]
LeanCopilot/Models/FFI.lean
isEncoderInitialized
null
initGenerator (name : @& String) (modelPath : @& String) (computeType : @& String) (device : @& String) (deviceIndex : @& Array UInt64) : Bool @[extern "init_encoder"]
opaque
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface", "import LeanCopilot.Models.Native", "import LeanCopilot.Models.Builtin" ]
LeanCopilot/Models/FFI.lean
initGenerator
null
initEncoder (name : @& String) (modelPath : @& String) (computeType : @& String) (device : @& String) (deviceIndex : @& Array UInt64) : Bool @[extern "generate"]
opaque
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface", "import LeanCopilot.Models.Native", "import LeanCopilot.Models.Builtin" ]
LeanCopilot/Models/FFI.lean
initEncoder
null
generate (name : @& String) (inputTokens : @& Array String) (targetPrefixTokens : @& Array String) (numReturnSequences : UInt64) (beamSize : UInt64) (minLength : UInt64) (maxLength : UInt64) (lengthPenalty : Float) (patience : Float) (temperature : Float) : Array (Array String × Float) @[extern "encode"]
opaque
LeanCopilot
[ "import Lean", "import LeanCopilot.Models.Interface", "import LeanCopilot.Models.Native", "import LeanCopilot.Models.Builtin" ]
LeanCopilot/Models/FFI.lean
generate
null
End of preview. Expand in Data Studio

Lean4-LeanCopilot

Structured dataset from LeanCopilot — LLM-based proof automation.

141 declarations extracted from Lean 4 source files.

Applications

  • Training language models on formal proofs
  • Fine-tuning theorem provers
  • Retrieval-augmented generation for proof assistants
  • Learning proof embeddings and representations

Source

Schema

Column Type Description
fact string Declaration body
type string theorem, def, lemma, etc.
library string Source module
imports list Required imports
filename string Source file path
symbolic_name string Identifier
docstring string Documentation (if present)
Downloads last month
7

Collection including phanerozoic/Lean4-LeanCopilot