licenses
sequencelengths
1
3
version
stringclasses
636 values
tree_hash
stringlengths
40
40
path
stringlengths
5
135
type
stringclasses
2 values
size
stringlengths
2
8
text
stringlengths
25
67.1M
package_name
stringlengths
2
41
repo
stringlengths
33
86
[ "MIT" ]
1.0.0
0fd73bf40485c791e6c33672c643bf1303045e9a
src/BatchIterators.jl
code
3037
module BatchIterators using Statistics export BatchIterator export choose_batchsize export centered_batch_iterator """ BatchIterator(X; batchsize = nothing, limit=size(X,2)) Wrapper allowing to iterate over batches of `batchsize` columns of `X`. `X` can be of any type supporting `size` and 2d indexing. When `limit` is provided, iteration is restricted to the columns of `X[:, 1:limit]`. """ struct BatchIterator{T} X::T length::Int # Number of batches bsz::Int # Batch size limit::Int function BatchIterator(X; batchsize=nothing, limit=size(X,2)) @assert limit > 0 && limit ≀ size(X,2) bsz = (batchsize == nothing) ? choose_batchsize(size(X,1), limit) : batchsize nb = ceil(Int, limit/bsz) new{typeof(X)}(X, nb, bsz, limit) end end view_compatible(::Any) = false view_compatible(::Array) = true view_compatible(bi::BatchIterator) = view_compatible(bi.X) ####################################################################### # Iteration # ####################################################################### function Base.getindex(it::BatchIterator, i) d = i - it.length # > 0 means overflow, == 0 means last batch cbsz = (d == 0) ? mod(it.limit - 1, it.bsz) + 1 : it.bsz # Size of current batch if (i<1 || d > 0) @error "Out of bounds." else # TODO using views here might impact type stability. view_compatible(it) ? (@view it.X[:, (i-1)*it.bsz+1:(i-1)*it.bsz+cbsz]) : it.X[:, (i-1)*it.bsz+1:(i-1)*it.bsz+cbsz] end end Base.length(it::BatchIterator) = it.length function Base.iterate(it::BatchIterator{T}, st = 0) where T st = st + 1 # new state d = st - it.length # > 0 means overflow, == 0 means last batch (d > 0) ? nothing : (it[st], st) end """ centered_batch_iterator(X; kwargs...) Similar to BatchIterator, but performs first one pass over the data to compute the mean, and centers the batches. """ function centered_batch_iterator(X; kwargs...) bi = BatchIterator(X; kwargs...) ΞΌ = vec(mean(mean(b, dims=2) for b in BatchIterator(X))) (b .- ΞΌ for b in bi) end ####################################################################### # Utilities # ####################################################################### """ choose_batchsize(d, n; maxmemGB = 1.0, maxbatchsize = 2^14, sizeoneB = d*sizeof(Float64)) Computes the size (nb. of columns) of a batch, so that each column of the batch can be converted to a vector of size `sizeoneB` (in bytes) with a total memory constrained by `maxmemGB` (gigabytes). """ function choose_batchsize(d, n; maxmemGB = 1.0, maxbatchsize = 2^14, sizeoneB = d*sizeof(Float64), forcepow2 = true) fullsizeGB = n * sizeoneB/1024^3 # Size of the sketches of all samples batchsize = (fullsizeGB > maxmemGB) ? ceil(Int, n/ceil(Int, fullsizeGB/maxmemGB)) : n batchsize = min(batchsize, maxbatchsize) (forcepow2 && batchsize != n) ? prevpow(2, batchsize) : batchsize end end # module
BatchIterators
https://github.com/Djoop/BatchIterators.jl.git
[ "MIT" ]
1.0.0
0fd73bf40485c791e6c33672c643bf1303045e9a
README.md
docs
497
# Summary Licence: MIT. A very small package providing the constructor `BatchIterator(X; batchsize=…, limit=…)` and the function `centered_batch_iterator(X; kwargs…)`, which allow iteration over blocks of columns of `X`, for any object `X` supporting 2d indexing and for which the function `size` is defined. The function `choose_batchsize` helps finding a good batch size while controlling memory usage. The package was originally designed to iterate over samples of an out-of-core dataset.
BatchIterators
https://github.com/Djoop/BatchIterators.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/make.jl
code
1151
using PythonCallHelpers using Documenter DocMeta.setdocmeta!(PythonCallHelpers, :DocTestSetup, :(using PythonCallHelpers); recursive=true) makedocs(; modules=[PythonCallHelpers], authors="singularitti <singularitti@outlook.com> and contributors", repo="https://github.com/singularitti/PythonCallHelpers.jl/blob/{commit}{path}#{line}", sitename="PythonCallHelpers.jl", format=Documenter.HTML(; prettyurls=get(ENV, "CI", "false") == "true", canonical="https://singularitti.github.io/PythonCallHelpers.jl", edit_link="main", assets=String[], ), pages=[ "Home" => "index.md", "Manual" => [ "Installation guide" => "installation.md", ], "Public API" => "public.md", "Developer Docs" => [ "Contributing" => "developers/contributing.md", "Style Guide" => "developers/style-guide.md", "Design Principles" => "developers/design-principles.md", ], "Troubleshooting" => "troubleshooting.md", ], ) deploydocs(; repo="github.com/singularitti/PythonCallHelpers.jl", devbranch="main", )
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
src/PythonCallHelpers.jl
code
3656
module PythonCallHelpers using PythonCall: Py, pygetattr, pyhasattr, pyconvert export @pyimmutable, @pymutable, @pycallable # Code from https://github.com/stevengj/PythonPlot.jl/blob/d17c1d5/src/PythonPlot.jl#L26-L52 struct LazyHelp obj::Py keys::Tuple{Vararg{String}} LazyHelp(obj) = new(obj, ()) LazyHelp(obj, key::AbstractString) = new(obj, (key,)) LazyHelp(obj, key1::AbstractString, key2::AbstractString) = new(obj, (key1, key2)) LazyHelp(obj, keys::AbstractString...) = new(obj, keys) end function Base.show(io::IO, ::MIME"text/plain", help::LazyHelp) obj = help.obj for key in help.keys obj = pygetattr(obj, key) end if pyhasattr(obj, "__doc__") print(io, pyconvert(String, obj.__doc__)) else print(io, "no Python docstring found for ", obj) end end Base.show(io::IO, help::LazyHelp) = show(io, "text/plain", help) function Base.Docs.catdoc(helps::LazyHelp...) Base.Docs.Text() do io for help in helps show(io, "text/plain", help) end end end # See https://github.com/rafaqz/DimensionalData.jl/blob/4814246/src/Dimensions/dimension.jl#L382-L398 function pybasic(type, field) return quote using PythonCall: pyhasattr import PythonCall: Py, pyconvert # Code from https://github.com/stevengj/PythonPlot.jl/blob/d58f6c4/src/PythonPlot.jl#L65-L72 Py(x::$type) = getfield(x, $(QuoteNode(Symbol(field)))) pyconvert(::Type{$type}, py::Py) = $type(py) Base.:(==)(x::$type, y::$type) = pyconvert(Bool, Py(x) == Py(y)) Base.isequal(x::$type, y::$type) = isequal(Py(x), Py(y)) Base.hash(x::$type, h::UInt) = hash(Py(x), h) Base.Docs.doc(x::$type) = Text(pyconvert(String, Py(x).__doc__)) # Code from https://github.com/stevengj/PythonPlot.jl/blob/d58f6c4/src/PythonPlot.jl#L75-L80 Base.getproperty(x::$type, s::Symbol) = getproperty(Py(x), s) Base.getproperty(x::$type, s::AbstractString) = getproperty(Py(x), Symbol(s)) Base.hasproperty(x::$type, s::Symbol) = pyhasattr(Py(x), s) Base.propertynames(x::$type) = propertynames(Py(x)) end end """ @pyimmutable type [supertype] [field] Construct an immutable wrapper for a Python object, with a supertype and a default fieldname. """ macro pyimmutable(type, supertype=Any, field=:py) return esc( quote using PythonCall: Py struct $type <: $supertype $field::Py end $(pybasic(type, field)) end, ) end """ @pymutable type [supertype] [field] Construct an mutable wrapper for a Python object, with a supertype and a default fieldname. """ macro pymutable(type, supertype=Any, field=:py) return esc( quote using PythonCall: Py mutable struct $type <: $supertype $field::Py end $(pybasic(type, field)) # Code from https://github.com/stevengj/PythonPlot.jl/blob/d58f6c4/src/PythonPlot.jl#L77-L78 Base.setproperty!(x::$type, s::Symbol, v) = setproperty!(Py(x), s, v) Base.setproperty!(x::$type, s::AbstractString, v) = setproperty!(Py(x), Symbol(s), v) end, ) end # See https://github.com/stevengj/PythonPlot.jl/issues/19 """ @pycallable type Make an existing type callable. """ macro pycallable(type) return quote using PythonCall: Py import PythonCall: pycall pycall(x::$type, args...; kws...) = pycall(Py(x), args...; kws...) (x::$type)(args...; kws...) = pycall(Py(x), args...; kws...) end end end
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
test/runtests.jl
code
440
using PythonCallHelpers using Test @testset "PythonCallHelpers.jl" begin @testset "Test subtyping from `Any`" begin @pymutable T Any o @test supertype(T) == Any @test fieldnames(T) == (:o,) end @testset "Test subtyping from an abstract type" begin abstract type MyType end @pyimmutable My MyType o @test supertype(My) == MyType @test fieldnames(My) == (:o,) end end
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
README.md
docs
4084
# PythonCallHelpers | **Documentation** | **Build Status** | **Others** | | :--------------------------------------------------------------------------------: | :--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------: | :---------------------------------------------------------------------------------------: | | [![Stable][docs-stable-img]][docs-stable-url] [![Dev][docs-dev-img]][docs-dev-url] | [![Build Status][gha-img]][gha-url] [![Build Status][appveyor-img]][appveyor-url] [![Build Status][cirrus-img]][cirrus-url] [![pipeline status][gitlab-img]][gitlab-url] [![Coverage][codecov-img]][codecov-url] | [![GitHub license][license-img]][license-url] [![Code Style: Blue][style-img]][style-url] | [docs-stable-img]: https://img.shields.io/badge/docs-stable-blue.svg [docs-stable-url]: https://singularitti.github.io/PythonCallHelpers.jl/stable [docs-dev-img]: https://img.shields.io/badge/docs-dev-blue.svg [docs-dev-url]: https://singularitti.github.io/PythonCallHelpers.jl/dev [gha-img]: https://github.com/singularitti/PythonCallHelpers.jl/workflows/CI/badge.svg [gha-url]: https://github.com/singularitti/PythonCallHelpers.jl/actions [appveyor-img]: https://ci.appveyor.com/api/projects/status/github/singularitti/PythonCallHelpers.jl?svg=true [appveyor-url]: https://ci.appveyor.com/project/singularitti/PythonCallHelpers-jl [cirrus-img]: https://api.cirrus-ci.com/github/singularitti/PythonCallHelpers.jl.svg [cirrus-url]: https://cirrus-ci.com/github/singularitti/PythonCallHelpers.jl [gitlab-img]: https://gitlab.com/singularitti/PythonCallHelpers.jl/badges/main/pipeline.svg [gitlab-url]: https://gitlab.com/singularitti/PythonCallHelpers.jl/-/pipelines [codecov-img]: https://codecov.io/gh/singularitti/PythonCallHelpers.jl/branch/main/graph/badge.svg [codecov-url]: https://codecov.io/gh/singularitti/PythonCallHelpers.jl [license-img]: https://img.shields.io/github/license/singularitti/PythonCallHelpers.jl [license-url]: https://github.com/singularitti/PythonCallHelpers.jl/blob/main/LICENSE [style-img]: https://img.shields.io/badge/code%20style-blue-4495d1.svg [style-url]: https://github.com/invenia/BlueStyle The code is [hosted on GitHub](https://github.com/singularitti/PythonCallHelpers.jl), with some continuous integration services to test its validity. This repository is created and maintained by [@singularitti](https://github.com/singularitti). You are very welcome to contribute. ## Installation The package can be installed with the Julia package manager. From the Julia REPL, type `]` to enter the Pkg REPL mode and run: ``` pkg> add PythonCallHelpers ``` Or, equivalently, via the [`Pkg` API](https://pkgdocs.julialang.org/v1/getting-started/): ```julia julia> import Pkg; Pkg.add("PythonCallHelpers") ``` ## Documentation - [**STABLE**][docs-stable-url] β€” **documentation of the most recently tagged version.** - [**DEV**][docs-dev-url] β€” _documentation of the in-development version._ ## Project status The package is tested against, and being developed for, Julia `1.6` and above on Linux, macOS, and Windows. ## Questions and contributions You are welcome to post usage questions on [our discussion page][discussions-url]. Contributions are very welcome, as are feature requests and suggestions. Please open an [issue][issues-url] if you encounter any problems. The [Contributing](@ref) page has guidelines that should be followed when opening pull requests and contributing code. [discussions-url]: https://github.com/singularitti/PythonCallHelpers.jl/discussions [issues-url]: https://github.com/singularitti/PythonCallHelpers.jl/issues
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/index.md
docs
2021
```@meta CurrentModule = PythonCallHelpers ``` # PythonCallHelpers Documentation for [PythonCallHelpers](https://github.com/singularitti/PythonCallHelpers.jl). See the [Index](@ref main-index) for the complete list of documented functions and types. The code is [hosted on GitHub](https://github.com/singularitti/PythonCallHelpers.jl), with some continuous integration services to test its validity. This repository is created and maintained by [@singularitti](https://github.com/singularitti). You are very welcome to contribute. ## Installation The package can be installed with the Julia package manager. From the Julia REPL, type `]` to enter the Pkg REPL mode and run: ```julia pkg> add PythonCallHelpers ``` Or, equivalently, via the `Pkg` API: ```@repl import Pkg; Pkg.add("PythonCallHelpers") ``` ## Documentation - [**STABLE**](https://singularitti.github.io/PythonCallHelpers.jl/stable) β€” **documentation of the most recently tagged version.** - [**DEV**](https://singularitti.github.io/PythonCallHelpers.jl/dev) β€” _documentation of the in-development version._ ## Project status The package is tested against, and being developed for, Julia `1.6` and above on Linux, macOS, and Windows. ## Questions and contributions Usage questions can be posted on [our discussion page](https://github.com/singularitti/PythonCallHelpers.jl/discussions). Contributions are very welcome, as are feature requests and suggestions. Please open an [issue](https://github.com/singularitti/PythonCallHelpers.jl/issues) if you encounter any problems. The [Contributing](@ref) page has a few guidelines that should be followed when opening pull requests and contributing code. ## Manual outline ```@contents Pages = [ "installation.md", "developers/contributing.md", "developers/style-guide.md", "developers/design-principles.md", "troubleshooting.md", ] Depth = 3 ``` ## Library outline ```@contents Pages = ["public.md"] ``` ### [Index](@id main-index) ```@index Pages = ["public.md"] ```
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/installation.md
docs
5269
# [Installation Guide](@id installation) Here are the installation instructions for package [PythonCallHelpers](https://github.com/singularitti/PythonCallHelpers.jl). If you have trouble installing it, please refer to our [Troubleshooting](@ref) page for more information. ## Install Julia First, you should install [Julia](https://julialang.org/). We recommend downloading it from [its official website](https://julialang.org/downloads/). Please follow the detailed instructions on its website if you have to [build Julia from source](https://docs.julialang.org/en/v1/devdocs/build/build/). Some computing centers provide preinstalled Julia. Please contact your administrator for more information in that case. Here's some additional information on [how to set up Julia on HPC systems](https://github.com/hlrs-tasc/julia-on-hpc-systems). If you have [Homebrew](https://brew.sh) installed, [open `Terminal.app`](https://support.apple.com/guide/terminal/open-or-quit-terminal-apd5265185d-f365-44cb-8b09-71a064a42125/mac) and type ```shell brew install julia ``` to install it as a [formula](https://docs.brew.sh/Formula-Cookbook). If you are also using macOS and want to install it as a prebuilt binary app, type ```shell brew install --cask julia ``` instead. If you want to install multiple Julia versions in the same operating system, a recommended way is to use a version manager such as [`juliaup`](https://github.com/JuliaLang/juliaup). First, [install `juliaup`](https://github.com/JuliaLang/juliaup#installation). Then, run ```shell juliaup add release juliaup default release ``` to configure the `julia` command to start the latest stable version of Julia (this is also the default value). There is a [short video introduction to `juliaup`](https://youtu.be/14zfdbzq5BM) made by its authors. ### Which version should I pick? You can install the "Current stable release" or the "Long-term support (LTS) release". - The "Current stable release" is the latest release of Julia. It has access to newer features, and is likely faster. - The "Long-term support release" is an older version of Julia that has continued to receive bug and security fixes. However, it may not have the latest features or performance improvements. For most users, you should install the "Current stable release", and whenever Julia releases a new version of the current stable release, you should update your version of Julia. Note that any code you write on one version of the current stable release will continue to work on all subsequent releases. For users in restricted software environments (e.g., your enterprise IT controls what software you can install), you may be better off installing the long-term support release because you will not have to update Julia as frequently. Versions higher than `v1.3`, especially `v1.6`, are strongly recommended. This package may not work on `v1.0` and below. Since the Julia team has set `v1.6` as the LTS release, we will gradually drop support for versions below `v1.6`. Julia and Julia packages support multiple operating systems and CPU architectures; check [this table](https://julialang.org/downloads/#supported_platforms) to see if it can be installed on your machine. For Mac computers with M-series processors, this package and its dependencies may not work. Please install the Intel-compatible version of Julia (for macOS x86-64) if any platform-related error occurs. ## Install PythonCallHelpers Now I am using [macOS](https://en.wikipedia.org/wiki/MacOS) as a standard platform to explain the following steps: 1. Open `Terminal.app`, and type `julia` to start an interactive session (known as the [REPL](https://docs.julialang.org/en/v1/stdlib/REPL/)). 2. Run the following commands and wait for them to finish: ```julia-repl julia> using Pkg julia> Pkg.update() julia> Pkg.add("PythonCallHelpers") ``` 3. Run ```julia-repl julia> using PythonCallHelpers ``` and have fun! 4. While using, please keep this Julia session alive. Restarting might cost some time. If you want to install the latest in-development (probably buggy) version of PythonCallHelpers, type ```@repl using Pkg Pkg.update() pkg"add https://github.com/singularitti/PythonCallHelpers.jl" ``` in the second step above. ## Update PythonCallHelpers Please [watch](https://docs.github.com/en/account-and-profile/managing-subscriptions-and-notifications-on-github/setting-up-notifications/configuring-notifications#configuring-your-watch-settings-for-an-individual-repository) our [GitHub repository](https://github.com/singularitti/PythonCallHelpers.jl) for new releases. Once we release a new version, you can update PythonCallHelpers by typing ```@repl using Pkg Pkg.update("PythonCallHelpers") Pkg.gc() ``` in the Julia REPL. ## Uninstall and reinstall PythonCallHelpers Sometimes errors may occur if the package is not properly installed. In this case, you may want to uninstall and reinstall the package. Here is how to do that: 1. To uninstall, in a Julia session, run ```julia-repl julia> using Pkg julia> Pkg.rm("PythonCallHelpers") julia> Pkg.gc() ``` 2. Press `ctrl+d` to quit the current session. Start a new Julia session and reinstall PythonCallHelpers.
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/public.md
docs
164
```@meta CurrentModule = PythonCallHelpers ``` # API Reference ```@contents Pages = ["public.md"] Depth = 3 ``` ```@docs @pyimmutable @pymutable @pycallable ```
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/troubleshooting.md
docs
2158
# Troubleshooting ```@contents Pages = ["troubleshooting.md"] Depth = 3 ``` This page collects some possible errors you may encounter and trick how to fix them. If you have some questions about how to use this code, you are welcome to [discuss with us](https://github.com/singularitti/PythonCallHelpers.jl/discussions). If you have additional tips, please either [report an issue](https://github.com/singularitti/PythonCallHelpers.jl/issues/new) or [submit a PR](https://github.com/singularitti/PythonCallHelpers.jl/compare) with suggestions. ## Installation problems ### Cannot find the `julia` executable Make sure you have Julia installed in your environment. Please download the latest [stable version](https://julialang.org/downloads/#current_stable_release) for your platform. If you are using a *nix system, the recommended way is to use [Juliaup](https://github.com/JuliaLang/juliaup). If you do not want to install Juliaup or you are using other platforms that Julia supports, download the corresponding binaries. Then, create a symbolic link to the Julia executable. If the path is not in your `$PATH` environment variable, export it to your `$PATH`. Some clusters, like [Habanero](https://confluence.columbia.edu/confluence/display/rcs/Habanero+HPC+Cluster+User+Documentation), [Comet](https://www.sdsc.edu/support/user_guides/comet.html), or [Expanse](https://www.sdsc.edu/services/hpc/expanse/index.html), already have Julia installed as a module, you may just `module load julia` to use it. If not, either install by yourself or contact your administrator. ## Loading PythonCallHelpers ### Julia compiles/loads slow First, we recommend you download the latest version of Julia. Usually, the newest version has the best performance. If you just want Julia to do a simple task and only once, you could start the Julia REPL with ```bash julia --compile=min ``` to minimize compilation or ```bash julia --optimize=0 ``` to minimize optimizations, or just use both. Or you could make a system image and run with ```bash julia --sysimage custom-image.so ``` See [Fredrik Ekre's talk](https://youtu.be/IuwxE3m0_QQ?t=313) for details.
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/developers/contributing.md
docs
8613
# Contributing ```@contents Pages = ["contributing.md"] Depth = 3 ``` Welcome! This document explains some ways you can contribute to PythonCallHelpers. ## Code of conduct This project and everyone participating in it is governed by the ["Contributor Covenant Code of Conduct"](https://github.com/MineralsCloud/.github/blob/main/CODE_OF_CONDUCT.md). By participating, you are expected to uphold this code. ## Join the community forum First up, join the [community forum](https://github.com/singularitti/PythonCallHelpers.jl/discussions). The forum is a good place to ask questions about how to use PythonCallHelpers. You can also use the forum to discuss possible feature requests and bugs before raising a GitHub issue (more on this below). Aside from asking questions, the easiest way you can contribute to PythonCallHelpers is to help answer questions on the forum! ## Improve the documentation Chances are, if you asked (or answered) a question on the community forum, then it is a sign that the [documentation](https://singularitti.github.io/PythonCallHelpers.jl/dev/) could be improved. Moreover, since it is your question, you are probably the best-placed person to improve it! The docs are written in Markdown and are built using [Documenter.jl](https://github.com/JuliaDocs/Documenter.jl). You can find the source of all the docs [here](https://github.com/singularitti/PythonCallHelpers.jl/tree/main/docs). If your change is small (like fixing typos, or one or two sentence corrections), the easiest way to do this is via GitHub's online editor. (GitHub has [help](https://help.github.com/articles/editing-files-in-another-user-s-repository/) on how to do this.) If your change is larger, or touches multiple files, you will need to make the change locally and then use Git to submit a [pull request](https://docs.github.com/en/pull-requests/collaborating-with-pull-requests/proposing-changes-to-your-work-with-pull-requests/about-pull-requests). (See [Contribute code to PythonCallHelpers](@ref) below for more on this.) ## File a bug report Another way to contribute to PythonCallHelpers is to file [bug reports](https://github.com/singularitti/PythonCallHelpers.jl/issues/new?template=bug_report.md). Make sure you read the info in the box where you write the body of the issue before posting. You can also find a copy of that info [here](https://github.com/singularitti/PythonCallHelpers.jl/blob/main/.github/ISSUE_TEMPLATE/bug_report.md). !!! tip If you're unsure whether you have a real bug, post on the [community forum](https://github.com/singularitti/PythonCallHelpers.jl/discussions) first. Someone will either help you fix the problem, or let you know the most appropriate place to open a bug report. ## Contribute code to PythonCallHelpers Finally, you can also contribute code to PythonCallHelpers! !!! warning If you do not have experience with Git, GitHub, and Julia development, the first steps can be a little daunting. However, there are lots of tutorials available online, including: - [GitHub](https://guides.github.com/activities/hello-world/) - [Git and GitHub](https://try.github.io/) - [Git](https://git-scm.com/book/en/v2) - [Julia package development](https://docs.julialang.org/en/v1/stdlib/Pkg/#Developing-packages-1) Once you are familiar with Git and GitHub, the workflow for contributing code to PythonCallHelpers is similar to the following: ### Step 1: decide what to work on The first step is to find an [open issue](https://github.com/singularitti/PythonCallHelpers.jl/issues) (or open a new one) for the problem you want to solve. Then, _before_ spending too much time on it, discuss what you are planning to do in the issue to see if other contributors are fine with your proposed changes. Getting feedback early can improve code quality, and avoid time spent writing code that does not get merged into PythonCallHelpers. !!! tip At this point, remember to be patient and polite; you may get a _lot_ of comments on your issue! However, do not be afraid! Comments mean that people are willing to help you improve the code that you are contributing to PythonCallHelpers. ### Step 2: fork PythonCallHelpers Go to [https://github.com/singularitti/PythonCallHelpers.jl](https://github.com/singularitti/PythonCallHelpers.jl) and click the "Fork" button in the top-right corner. This will create a copy of PythonCallHelpers under your GitHub account. ### Step 3: install PythonCallHelpers locally Similar to [Installation](@ref), open the Julia REPL and run: ```@repl using Pkg Pkg.update() Pkg.develop("PythonCallHelpers") ``` Then the package will be cloned to your local machine. On *nix systems, the default path is `~/.julia/dev/PythonCallHelpers` unless you modify the [`JULIA_DEPOT_PATH`](http://docs.julialang.org/en/v1/manual/environment-variables/#JULIA_DEPOT_PATH-1) environment variable. If you're on Windows, this will be `C:\\Users\\<my_name>\\.julia\\dev\\PythonCallHelpers`. In the following text, we will call it `PKGROOT`. Go to `PKGROOT`, start a new Julia session and run ```@repl using Pkg Pkg.instantiate() ``` to instantiate the project. ### Step 4: checkout a new branch !!! note In the following, replace any instance of `GITHUB_ACCOUNT` with your GitHub username. The next step is to checkout a development branch. In a terminal (or command prompt on Windows), run: ```shell cd ~/.julia/dev/PythonCallHelpers git remote add GITHUB_ACCOUNT https://github.com/GITHUB_ACCOUNT/PythonCallHelpers.jl.git git checkout main git pull git checkout -b my_new_branch ``` ### Step 5: make changes Now make any changes to the source code inside the `~/.julia/dev/PythonCallHelpers` directory. Make sure you: - Follow our [Style Guide](@ref style) and [run `JuliaFormatter.jl`](@ref formatter) - Add tests and documentation for any changes or new features !!! tip When you change the source code, you'll need to restart Julia for the changes to take effect. This is a pain, so install [Revise.jl](https://github.com/timholy/Revise.jl). ### Step 6a: test your code changes To test that your changes work, run the PythonCallHelpers test-suite by opening Julia and running: ```@repl cd("~/.julia/dev/PythonCallHelpers") using Pkg Pkg.activate(".") Pkg.test() ``` !!! warning Running the tests might take a long time. !!! tip If you're using `Revise.jl`, you can also run the tests by calling `include`: ```julia include("test/runtests.jl") ``` This can be faster if you want to re-run the tests multiple times. ### Step 6b: test your documentation changes Open Julia, then run: ```@repl cd("~/.julia/dev/PythonCallHelpers/docs") using Pkg Pkg.activate(".") include("src/make.jl") ``` After a while, a folder `PKGROOT/docs/build` will appear. Open `PKGROOT/docs/build/index.html` with your favorite browser, and have fun! !!! warning Building the documentation might take a long time. !!! tip If there's a problem with the tests that you don't know how to fix, don't worry. Continue to step 5, and one of the PythonCallHelpers contributors will comment on your pull request telling you how to fix things. ### Step 7: make a pull request Once you've made changes, you're ready to push the changes to GitHub. Run: ```shell cd ~/.julia/dev/PythonCallHelpers git add . git commit -m "A descriptive message of the changes" git push -u GITHUB_ACCOUNT my_new_branch ``` Then go to [https://github.com/singularitti/PythonCallHelpers.jl/pulls](https://github.com/singularitti/PythonCallHelpers.jl/pulls) and follow the instructions that pop up to open a pull request. ### Step 8: respond to comments At this point, remember to be patient and polite; you may get a _lot_ of comments on your pull request! However, do not be afraid! A lot of comments means that people are willing to help you improve the code that you are contributing to PythonCallHelpers. To respond to the comments, go back to step 5, make any changes, test the changes in step 6, and then make a new commit in step 7. Your PR will automatically update. ### Step 9: cleaning up Once the PR is merged, clean-up your Git repository ready for the next contribution! ```shell cd ~/.julia/dev/PythonCallHelpers git checkout main git pull ``` !!! note If you have suggestions to improve this guide, please make a pull request! It's particularly helpful if you do this after your first pull request because you'll know all the parts that could be explained better. Thanks for contributing to PythonCallHelpers!
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/developers/design-principles.md
docs
15492
# Design Principles ```@contents Pages = ["design-principles.md"] Depth = 3 ``` We adopt some [`SciML`](https://sciml.ai/) design [guidelines](https://github.com/SciML/SciMLStyle) here. Please read it before contributing! ## Consistency vs adherence According to PEP8: > A style guide is about consistency. Consistency with this style guide is important. > Consistency within a project is more important. Consistency within one module or function is the most important. > > However, know when to be inconsistentβ€”sometimes style guide recommendations just aren't > applicable. When in doubt, use your best judgment. Look at other examples and decide what > looks best. And don’t hesitate to ask! ## Community contribution guidelines For a comprehensive set of community contribution guidelines, refer to [ColPrac](https://github.com/SciML/ColPrac). A relevant point to highlight PRs should do one thing. In the context of style, this means that PRs which update the style of a package's code should not be mixed with fundamental code contributions. This separation makes it easier to ensure that large style improvement are isolated from substantive (and potentially breaking) code changes. ## Open source contributions are allowed to start small and grow over time If the standard for code contributions is that every PR needs to support every possible input type that anyone can think of, the barrier would be too high for newcomers. Instead, the principle is to be as correct as possible to begin with, and grow the generic support over time. All recommended functionality should be tested, any known generality issues should be documented in an issue (and with a `@test_broken` test when possible). However, a function which is known to not be GPU-compatible is not grounds to block merging, rather it is an encouragement for a follow-up PR to improve the general type support! ## Generic code is preferred unless code is known to be specific For example, the code: ```@repl function f(A, B) for i in 1:length(A) A[i] = A[i] + B[i] end end ``` would not be preferred for two reasons. One is that it assumes `A` uses one-based indexing, which would fail in cases like [OffsetArrays](https://github.com/JuliaArrays/OffsetArrays.jl) and [FFTViews](https://github.com/JuliaArrays/FFTViews.jl). Another issue is that it requires indexing, while not all array types support indexing (for example, [CuArrays](https://github.com/JuliaGPU/CuArrays.jl)). A more generic compatible implementation of this function would be to use broadcast, for example: ```@repl function f(A, B) @. A = A + B end ``` which would allow support for a wider variety of array types. ## Internal types should match the types used by users when possible If `f(A)` takes the input of some collections and computes an output from those collections, then it should be expected that if the user gives `A` as an `Array`, the computation should be done via `Array`s. If `A` was a `CuArray`, then it should be expected that the computation should be internally done using a `CuArray` (or appropriately error if not supported). For these reasons, constructing arrays via generic methods, like `similar(A)`, is preferred when writing `f` instead of using non-generic constructors like `Array(undef,size(A))` unless the function is documented as being non-generic. ## Trait definition and adherence to generic interface is preferred when possible Julia provides many interfaces, for example: - [Iteration](https://docs.julialang.org/en/v1/manual/interfaces/#man-interface-iteration) - [Indexing](https://docs.julialang.org/en/v1/manual/interfaces/#Indexing) - [Broadcast](https://docs.julialang.org/en/v1/manual/interfaces/#man-interfaces-broadcasting) Those interfaces should be followed when possible. For example, when defining broadcast overloads, one should implement a `BroadcastStyle` as suggested by the documentation instead of simply attempting to bypass the broadcast system via `copyto!` overloads. When interface functions are missing, these should be added to Base Julia or an interface package, like [ArrayInterface.jl](https://github.com/JuliaArrays/ArrayInterface.jl). Such traits should be declared and used when appropriate. For example, if a line of code requires mutation, the trait `ArrayInterface.ismutable(A)` should be checked before attempting to mutate, and informative error messages should be written to capture the immutable case (or, an alternative code which does not mutate should be given). One example of this principle is demonstrated in the generation of Jacobian matrices. In many scientific applications, one may wish to generate a Jacobian cache from the user's input `u0`. A naive way to generate this Jacobian is `J = similar(u0,length(u0),length(u0))`. However, this will generate a Jacobian `J` such that `J isa Matrix`. ## Macros should be limited and only be used for syntactic sugar Macros define new syntax, and for this reason they tend to be less composable than other coding styles and require prior familiarity to be easily understood. One principle to keep in mind is, "can the person reading the code easily picture what code is being generated?". For example, a user of Soss.jl may not know what code is being generated by: ```julia @model (x, Ξ±) begin Οƒ ~ Exponential() Ξ² ~ Normal() y ~ For(x) do xj Normal(Ξ± + Ξ² * xj, Οƒ) end return y end ``` and thus using such a macro as the interface is not preferred when possible. However, a macro like [`@muladd`](https://github.com/SciML/MuladdMacro.jl) is trivial to picture on a code (it recursively transforms `a*b + c` to `muladd(a,b,c)` for more [accuracy and efficiency](https://en.wikipedia.org/wiki/Multiply%E2%80%93accumulate_operation)), so using such a macro for example: ```julia julia> @macroexpand(@muladd k3 = f(t + c3 * dt, @. uprev + dt * (a031 * k1 + a032 * k2))) :(k3 = f((muladd)(c3, dt, t), (muladd).(dt, (muladd).(a032, k2, (*).(a031, k1)), uprev))) ``` is recommended. Some macros in this category are: - `@inbounds` - [`@muladd`](https://github.com/SciML/MuladdMacro.jl) - `@view` - [`@named`](https://github.com/SciML/ModelingToolkit.jl) - `@.` - [`@..`](https://github.com/YingboMa/FastBroadcast.jl) Some performance macros, like `@simd`, `@threads`, or [`@turbo` from LoopVectorization.jl](https://github.com/JuliaSIMD/LoopVectorization.jl), make an exception in that their generated code may be foreign to many users. However, they still are classified as appropriate uses as they are syntactic sugar since they do (or should) not change the behavior of the program in measurable ways other than performance. ## Errors should be caught as high as possible, and error messages should be contextualized for newcomers Whenever possible, defensive programming should be used to check for potential errors before they are encountered deeper within a package. For example, if one knows that `f(u0,p)` will error unless `u0` is the size of `p`, this should be caught at the start of the function to throw a domain specific error, for example "parameters and initial condition should be the same size". ## Subpackaging and interface packages is preferred over conditional modules via Requires.jl Requires.jl should be avoided at all costs. If an interface package exists, such as [ChainRulesCore.jl](https://github.com/JuliaDiff/ChainRulesCore.jl) for defining automatic differentiation rules without requiring a dependency on the whole ChainRules.jl system, or [RecipesBase.jl](https://github.com/JuliaPlots/RecipesBase.jl) which allows for defining Plots.jl plot recipes without a dependency on Plots.jl, a direct dependency on these interface packages is preferred. Otherwise, instead of resorting to a conditional dependency using Requires.jl, it is preferred one creates subpackages, i.e. smaller independent packages kept within the same Github repository with independent versioning and package management. An example of this is seen in [Optimization.jl](https://github.com/SciML/Optimization.jl) which has subpackages like [OptimizationBBO.jl](https://github.com/SciML/Optimization.jl/tree/master/lib/OptimizationBBO) for BlackBoxOptim.jl support. Some important interface packages to know about are: - [ChainRulesCore.jl](https://github.com/JuliaDiff/ChainRulesCore.jl) - [RecipesBase.jl](https://github.com/JuliaPlots/RecipesBase.jl) - [ArrayInterface.jl](https://github.com/JuliaArrays/ArrayInterface.jl) - [CommonSolve.jl](https://github.com/SciML/CommonSolve.jl) - [SciMLBase.jl](https://github.com/SciML/SciMLBase.jl) ## Functions should either attempt to be non-allocating and reuse caches, or treat inputs as immutable Mutating codes and non-mutating codes fall into different worlds. When a code is fully immutable, the compiler can better reason about dependencies, optimize the code, and check for correctness. However, many times a code making the fullest use of mutation can outperform even what the best compilers of today can generate. That said, the worst of all worlds is when code mixes mutation with non-mutating code. Not only is this a mishmash of coding styles, it has the potential non-locality and compiler proof issues of mutating code while not fully benefiting from the mutation. ## Out-Of-Place and Immutability is preferred when sufficient performant Mutation is used to get more performance by decreasing the amount of heap allocations. However, if it's not helpful for heap allocations in a given spot, do not use mutation. Mutation is scary and should be avoided unless it gives an immediate benefit. For example, if matrices are sufficiently large, then `A*B` is as fast as `mul!(C,A,B)`, and thus writing `A*B` is preferred (unless the rest of the function is being careful about being fully non-allocating, in which case this should be `mul!` for consistency). Similarly, when defining types, using `struct` is preferred to `mutable struct` unless mutating the struct is a common occurrence. Even if mutating the struct is a common occurrence, see whether using [Setfield.jl](https://github.com/jw3126/Setfield.jl) is sufficient. The compiler will optimize the construction of immutable structs, and thus this can be more efficient if it's not too much of a code hassle. ## Tests should attempt to cover a wide gamut of input types Code coverage numbers are meaningless if one does not consider the input types. For example, one can hit all the code with `Array`, but that does not test whether `CuArray` is compatible! Thus, it's always good to think of coverage not in terms of lines of code but in terms of type coverage. A good list of number types to think about are: - `Float64` - `Float32` - `Complex` - [`Dual`](https://github.com/JuliaDiff/ForwardDiff.jl) - `BigFloat` Array types to think about testing are: - `Array` - [`OffsetArray`](https://github.com/JuliaArrays/OffsetArrays.jl) - [`CuArray`](https://github.com/JuliaGPU/CUDA.jl) ## When in doubt, a submodule should become a subpackage or separate package Keep packages to one core idea. If there's something separate enough to be a submodule, could it instead be a separate well-tested and documented package to be used by other packages? Most likely yes. ## Globals should be avoided whenever possible Global variables should be avoided whenever possible. When required, global variables should be constants and have an all uppercase name separated with underscores (e.g. `MY_CONSTANT`). They should be defined at the top of the file, immediately after imports and exports but before an `__init__` function. If you truly want mutable global style behavior you may want to look into mutable containers. ## Type-stable and Type-grounded code is preferred wherever possible Type-stable and type-grounded code helps the compiler create not only more optimized code, but also faster to compile code. Always keep containers well-typed, functions specializing on the appropriate arguments, and types concrete. ## Closures should be avoided whenever possible Closures can cause accidental type instabilities that are difficult to track down and debug; in the long run it saves time to always program defensively and avoid writing closures in the first place, even when a particular closure would not have been problematic. A similar argument applies to reading code with closures; if someone is looking for type instabilities, this is faster to do when code does not contain closures. Furthermore, if you want to update variables in an outer scope, do so explicitly with `Ref`s or self defined structs. For example, ```julia map(Base.Fix2(getindex, i), vector_of_vectors) ``` is preferred over ```julia map(v -> v[i], vector_of_vectors) ``` or ```julia [v[i] for v in vector_of_vectors] ``` ## Numerical functionality should use the appropriate generic numerical interfaces While you can use `A\b` to do a linear solve inside a package, that does not mean that you should. This interface is only sufficient for performing factorizations, and so that limits the scaling choices, the types of `A` that can be supported, etc. Instead, linear solves within packages should use LinearSolve.jl. Similarly, nonlinear solves should use NonlinearSolve.jl. Optimization should use Optimization.jl. Etc. This allows the full generic choice to be given to the user without depending on every solver package (effectively recreating the generic interfaces within each package). ## Functions should capture one underlying principle Functions mean one thing. Every dispatch of `+` should be "the meaning of addition on these types". While in theory you could add dispatches to `+` that mean something different, that will fail in generic code for which `+` means addition. Thus, for generic code to work, code needs to adhere to one meaning for each function. Every dispatch should be an instantiation of that meaning. ## Internal choices should be exposed as options whenever possible Whenever possible, numerical values and choices within scripts should be exposed as options to the user. This promotes code reusability beyond the few cases the author may have expected. ## Prefer code reuse over rewrites whenever possible If a package has a function you need, use the package. Add a dependency if you need to. If the function is missing a feature, prefer to add that feature to said package and then add it as a dependency. If the dependency is potentially troublesome, for example because it has a high load time, prefer to spend time helping said package fix these issues and add the dependency. Only when it does not seem possible to make the package "good enough" should using the package be abandoned. If it is abandoned, consider building a new package for this functionality as you need it, and then make it a dependency. ## Prefer to not shadow functions Two functions can have the same name in Julia by having different namespaces. For example, `X.f` and `Y.f` can be two different functions, with different dispatches, but the same name. This should be avoided whenever possible. Instead of creating `MyPackage.sort`, consider adding dispatches to `Base.sort` for your types if these new dispatches match the underlying principle of the function. If it doesn't, prefer to use a different name. While using `MyPackage.sort` is not conflicting, it is going to be confusing for most people unfamiliar with your code, so `MyPackage.special_sort` would be more helpful to newcomers reading the code.
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.1.0
6536386eaeea150a0b83074ea454fd70399ea9ae
docs/src/developers/style-guide.md
docs
2308
# [Style Guide](@id style) ```@contents Pages = ["style.md"] Depth = 3 ``` This section describes the coding style rules that apply to our code and that we recommend you to use it also. In some cases, our style guide diverges from Julia's official [Style Guide](https://docs.julialang.org/en/v1/manual/style-guide/) (Please read it!). All such cases will be explicitly noted and justified. Our style guide adopts many recommendations from the [BlueStyle](https://github.com/invenia/BlueStyle). Please read the [BlueStyle](https://github.com/invenia/BlueStyle) before contributing to this package. If not following, your pull requests may not be accepted. !!! info The style guide is always a work in progress, and not all PythonCallHelpers code follows the rules. When modifying PythonCallHelpers, please fix the style violations of the surrounding code (i.e., leave the code tidier than when you started). If large changes are needed, consider separating them into another pull request. ## Formatting ### [Run JuliaFormatter](@id formatter) PythonCallHelpers uses [JuliaFormatter](https://github.com/domluna/JuliaFormatter.jl) as an auto-formatting tool. We use the options contained in [`.JuliaFormatter.toml`](https://github.com/singularitti/PythonCallHelpers.jl/blob/main/.JuliaFormatter.toml). To format your code, `cd` to the PythonCallHelpers directory, then run: ```@repl using Pkg Pkg.add("JuliaFormatter") using JuliaFormatter: format format("docs"); format("src"); format("test"); ``` !!! info A continuous integration check verifies that all PRs made to PythonCallHelpers have passed the formatter. The following sections outline extra style guide points that are not fixed automatically by JuliaFormatter. ### Use the Julia extension for Visual Studio Code Please use [VS Code](https://code.visualstudio.com/) with the [Julia extension](https://marketplace.visualstudio.com/items?itemName=julialang.language-julia) to edit, format, and test your code. We do not recommend using other editors to edit your code for the time being. This extension already has [JuliaFormatter](https://github.com/domluna/JuliaFormatter.jl) integrated. So to format your code, follow the steps listed [here](https://www.julia-vscode.org/docs/stable/userguide/formatter/).
PythonCallHelpers
https://github.com/singularitti/PythonCallHelpers.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
src/MatrixMarket.jl
code
208
module MatrixMarket using SparseArrays using LinearAlgebra using TranscodingStreams, CodecZlib export mmread, mmwrite, mminfo include("mminfo.jl") include("mmread.jl") include("mmwrite.jl") end # module
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
src/mminfo.jl
code
1825
""" mminfo(file) Read header information on the size and structure from file. The actual data matrix is not parsed. # Arguments - `file`: The filename or io stream. """ function mminfo(filename::String) stream = open(filename, "r") if endswith(filename, ".gz") stream = TranscodingStream(GzipDecompressor(), stream) end info = mminfo(stream) close(stream) return info end function mminfo(stream::IO) firstline = chomp(readline(stream)) if !startswith(firstline, "%%MatrixMarket") throw(FileFormatException("Expected start of header `%%MatrixMarket`")) end tokens = split(firstline) if length(tokens) != 5 throw(FileFormatException("Not enough words on first line, got $(length(tokens)) words")) end (head1, rep, field, symm) = map(lowercase, tokens[2:5]) if head1 != "matrix" throw(FileFormatException("Unknown MatrixMarket data type: $head1 (only `matrix` is supported)")) end dimline = readline(stream) # Skip all comments and empty lines while length(chomp(dimline)) == 0 || (length(dimline) > 0 && dimline[1] == '%') dimline = readline(stream) end rows, cols, entries = parse_dimension(dimline, rep) return rows, cols, entries, rep, field, symm end struct FileFormatException <: Exception msg::String end Base.showerror(io::IO, e::FileFormatException) = print(io, e.msg) function parse_dimension(line::String, rep::String) dims = map(x -> parse(Int, x), split(line)) if length(dims) < (rep == "coordinate" ? 3 : 2) throw(FileFormatException(string("Could not read in matrix dimensions from line: ", line))) end if rep == "coordinate" return dims[1], dims[2], dims[3] else return dims[1], dims[2], (dims[1] * dims[2]) end end
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
src/mmread.jl
code
3866
""" mmread(filename, infoonly=false, retcoord=false) Read the contents of the Matrix Market file `filename` into a matrix, which will be either sparse or dense, depending on the Matrix Market format indicated by `coordinate` (coordinate sparse storage), or `array` (dense array storage). # Arguments - `filename::String`: The file to read. - `infoonly::Bool=false`: Only information on the size and structure is returned from reading the header. The actual data for the matrix elements are not parsed. - `retcoord::Bool`: If it is `true`, the rows, column and value vectors are returned along with the header information. """ function mmread(filename::String, infoonly::Bool=false, retcoord::Bool=false) stream = open(filename, "r") if endswith(filename, ".gz") stream = TranscodingStream(GzipDecompressor(), stream) end result = infoonly ? mminfo(stream) : mmread(stream, retcoord) close(stream) return result end function mmread(stream::IO, infoonly::Bool=false, retcoord::Bool=false) rows, cols, entries, rep, field, symm = mminfo(stream) infoonly && return rows, cols, entries, rep, field, symm T = parse_eltype(field) symfunc = parse_symmetric(symm) if rep == "coordinate" rn = Vector{Int}(undef, entries) cn = Vector{Int}(undef, entries) vals = Vector{T}(undef, entries) for i in 1:entries line = readline(stream) splits = find_splits(line, num_splits(T)) rn[i] = parse_row(line, splits) cn[i] = parse_col(line, splits, T) vals[i] = parse_val(line, splits, T) end result = retcoord ? (rn, cn, vals, rows, cols, entries, rep, field, symm) : symfunc(sparse(rn, cn, vals, rows, cols)) else vals = [parse(Float64, readline(stream)) for _ in 1:entries] A = reshape(vals, rows, cols) result = symfunc(A) end return result end function parse_eltype(field::String) if field == "real" return Float64 elseif field == "complex" return ComplexF64 elseif field == "integer" return Int64 elseif field == "pattern" return Bool else throw(FileFormatException("Unsupported field $field.")) end end function parse_symmetric(symm::String) if symm == "general" return identity elseif symm == "symmetric" || symm == "hermitian" return hermitianize! elseif symm == "skew-symmetric" return skewsymmetrize! else throw(FileFormatException("Unknown matrix symmetry: $symm.")) end end function hermitianize!(M::AbstractMatrix) M .+= tril(M, -1)' return M end function skewsymmetrize!(M::AbstractMatrix) M .-= tril(M, -1)' return M end parse_row(line, splits) = parse(Int, line[1:splits[1]]) parse_col(line, splits, ::Type{Bool}) = parse(Int, line[splits[1]:end]) parse_col(line, splits, eltype) = parse(Int, line[splits[1]:splits[2]]) function parse_val(line, splits, ::Type{ComplexF64}) real = parse(Float64, line[splits[2]:splits[3]]) imag = parse(Float64, line[splits[3]:length(line)]) return ComplexF64(real, imag) end parse_val(line, splits, ::Type{Bool}) = true parse_val(line, splits, ::Type{T}) where {T} = parse(T, line[splits[2]:length(line)]) num_splits(::Type{ComplexF64}) = 3 num_splits(::Type{Bool}) = 1 num_splits(elty) = 2 function find_splits(s::String, num) splits = Vector{Int}(undef, num) cur = 1 in_space = s[1] == '\t' || s[1] == ' ' @inbounds for i in 1:length(s) if s[i] == '\t' || s[i] == ' ' if !in_space in_space = true splits[cur] = i cur += 1 cur > num && break end else in_space = false end end splits end
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
src/mmwrite.jl
code
2067
""" mmwrite(filename, matrix) Write a sparse matrix to .mtx file format. # Arguments - `filename::String`: The file to write. - `matrix::SparseMatrixCSC`: The sparse matrix to write. """ function mmwrite(filename::String, matrix::SparseMatrixCSC) stream = open(filename, "w") if endswith(filename, ".gz") stream = TranscodingStream(GzipCompressor(), stream) end mmwrite(stream, matrix) close(stream) end function mmwrite(stream::IO, matrix::SparseMatrixCSC) nl = get_newline() elem = generate_eltype(eltype(matrix)) sym = generate_symmetric(matrix) # write header write(stream, "%%MatrixMarket matrix coordinate $elem $sym$nl") # only use lower triangular part of symmetric and Hermitian matrices if issymmetric(matrix) || ishermitian(matrix) matrix = tril(matrix) end # write matrix size and number of nonzeros write(stream, "$(size(matrix, 1)) $(size(matrix, 2)) $(nnz(matrix))$nl") rows = rowvals(matrix) vals = nonzeros(matrix) for i in 1:size(matrix, 2) for j in nzrange(matrix, i) entity = generate_entity(i, j, rows, vals, elem) write(stream, entity) end end end generate_eltype(::Type{<:Bool}) = "pattern" generate_eltype(::Type{<:Integer}) = "integer" generate_eltype(::Type{<:AbstractFloat}) = "real" generate_eltype(::Type{<:Complex}) = "complex" generate_eltype(elty) = error("Invalid matrix type") function generate_symmetric(m::AbstractMatrix) if issymmetric(m) return "symmetric" elseif ishermitian(m) return "hermitian" else return "general" end end function generate_entity(i, j, rows, vals, kind::String) nl = get_newline() if kind == "pattern" return "$(rows[j]) $i$nl" elseif kind == "complex" return "$(rows[j]) $i $(real(vals[j])) $(imag(vals[j]))$nl" else return "$(rows[j]) $i $(vals[j])$nl" end end function get_newline() if Sys.iswindows() return "\r\n" else return "\n" end end
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
test/mtx.jl
code
3243
@testset "mtx" begin mtx_filename = joinpath(TEST_PATH, "data", "test.mtx") res = sparse( [5, 4, 1, 2, 6], [1, 5, 1, 4, 7], [1, 1, 1, 1, 1], 11, 12 ) testmatrices = download_unzip_nist_files() @testset "read/write mtx" begin rows, cols, entries, rep, field, symm = mminfo(mtx_filename) @test rows == 11 @test cols == 12 @test entries == 5 @test rep == "coordinate" @test field == "integer" @test symm == "general" A = mmread(mtx_filename) @test A isa SparseMatrixCSC @test A == res newfilename = replace(mtx_filename, "test.mtx" => "test_write.mtx") mmwrite(newfilename, res) f = open(mtx_filename) sha_test = bytes2hex(sha256(read(f, String))) close(f) f = open(newfilename) sha_new = bytes2hex(sha256(read(f, String))) close(f) @test sha_test == sha_new rm(newfilename) end @testset "read/write mtx.gz" begin gz_filename = mtx_filename * ".gz" rows, cols, entries, rep, field, symm = mminfo(gz_filename) @test rows == 11 @test cols == 12 @test entries == 5 @test rep == "coordinate" @test field == "integer" @test symm == "general" A = mmread(gz_filename) @test A isa SparseMatrixCSC @test A == res newfilename = replace(gz_filename, "test.mtx.gz" => "test_write.mtx.gz") mmwrite(newfilename, res) stream = GzipDecompressorStream(open(gz_filename)) adjusted_content = replace(read(stream, String), "\n" => get_newline()) sha_test = bytes2hex(sha256(adjusted_content)) close(stream) stream = GzipDecompressorStream(open(newfilename)) sha_new = bytes2hex(sha256(read(stream, String))) close(stream) @test sha_test == sha_new rm(newfilename) end @testset "read/write NIST mtx files" begin # verify mmread(mmwrite(A)) == A for filename in filter(t -> endswith(t, ".mtx"), readdir()) new_filename = replace(filename, ".mtx" => "_.mtx") A = MatrixMarket.mmread(filename) MatrixMarket.mmwrite(new_filename, A) new_A = MatrixMarket.mmread(new_filename) @test new_A == A rm(new_filename) end end @testset "read/write NIST mtx.gz files" begin for gz_filename in filter(t -> endswith(t, ".mtx.gz"), readdir()) mtx_filename = replace(gz_filename, ".mtx.gz" => ".mtx") # reading from .mtx and .mtx.gz must be identical A_gz = MatrixMarket.mmread(gz_filename) A = MatrixMarket.mmread(mtx_filename) @test A_gz == A # writing to .mtx and .mtx.gz must be identical new_filename = replace(gz_filename, ".mtx.gz" => "_.mtx.gz") mmwrite(new_filename, A) new_A = MatrixMarket.mmread(new_filename) @test new_A == A rm(new_filename) end end # clean up for filename in filter(t -> endswith(t, ".mtx"), readdir()) rm(filename) rm(filename * ".gz") end end
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
test/runtests.jl
code
319
using MatrixMarket using CodecZlib using Downloads using GZip using SparseArrays using SHA using Test include("test_utils.jl") const TEST_PATH = @__DIR__ const NIST_FILELIST = download_nist_filelist() tests = [ "mtx", ] @testset "MatrixMarket.jl" begin for t in tests include("$(t).jl") end end
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
test/test_utils.jl
code
1905
function get_newline() if Sys.iswindows() return "\r\n" else return "\n" end end function gunzip(fname) destname, ext = splitext(fname) if ext != ".gz" error("gunzip: $fname: unknown suffix -- ignored") end open(destname, "w") do f GZip.open(fname) do g write(f, read(g, String)) end end destname end function download_nist_filelist() isfile("matrices.html") || Downloads.download("math.nist.gov/MatrixMarket/matrices.html", "matrices.html") matrixmarketdata = Any[] open("matrices.html") do f for line in readlines(f) if occursin("""<A HREF="/MatrixMarket/data/""", line) collectionname, setname, matrixname = split(split(line, '"')[2], '/')[4:6] matrixname = split(matrixname, '.')[1] push!(matrixmarketdata, (collectionname, setname, matrixname)) end end end rm("matrices.html") return matrixmarketdata end function download_unzip_nist_files() # Download one matrix at random plus some specifically chosen ones. n = rand(1:length(NIST_FILELIST)) testmatrices = [ ("NEP", "mhd", "mhd1280b"), ("Harwell-Boeing", "acoust", "young4c"), ("Harwell-Boeing", "platz", "plsk1919"), NIST_FILELIST[n] ] for (collectionname, setname, matrixname) in testmatrices fn = string(collectionname, '_', setname, '_', matrixname) mtxfname = string(fn, ".mtx") if !isfile(mtxfname) url = "https://math.nist.gov/pub/MatrixMarket2/$collectionname/$setname/$matrixname.mtx.gz" gzfname = string(fn, ".mtx.gz") try Downloads.download(url, gzfname) catch continue end gunzip(gzfname) end end return testmatrices end
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "MIT" ]
0.5.0
903fd51345b94a3aa271118ca189d0c4a2cae2e3
README.md
docs
1344
# MatrixMarket [![Build Status](https://travis-ci.org/JuliaSparse/MatrixMarket.jl.svg?branch=master)](https://travis-ci.org/JuliaSparse/MatrixMarket.jl) Package to read/write matrices from/to files in the [Matrix Market native exchange format](http://math.nist.gov/MatrixMarket/formats.html#MMformat). The [Matrix Market](http://math.nist.gov/MatrixMarket/) is a NIST repository of "test data for use in comparative studies of algorithms for numerical linear algebra, featuring nearly 500 sparse matrices from a variety of applications, as well as matrix generation tools and services." Over time, the [Matrix Market's native exchange format](http://math.nist.gov/MatrixMarket/formats.html#MMformat) has become one of the _de facto_ standard file formats for exchanging matrix data. ## Usage ### Read using MatrixMarket M = MatrixMarket.mmread("myfile.mtx") `M` will be a sparse or dense matrix depending on whether the file contains a matrix in coordinate format or array format. The specific type of `M` may be `Symmetric` or `Hermitian` depending on the symmetry information contained in the file header. MatrixMarket.mmread("myfile.mtx", true) Returns raw data from the file header. Does not read in the actual matrix elements. ### Write MatrixMarket.mmwrite("myfile.mtx", M) `M` has to be a sparse matrix.
MatrixMarket
https://github.com/JuliaSparse/MatrixMarket.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
benchmark/stack.jl
code
1709
using NiLangCore, BenchmarkTools bg = BenchmarkGroup() # pop!/push! bg["NiLang"] = @benchmarkable begin @instr PUSH!(x) @instr POP!(x) end seconds=1 setup=(x=3.0) # @invcheckoff pop!/push! bg["NiLang-@invcheckoff"] = @benchmarkable begin @instr @invcheckoff PUSH!(x) @instr @invcheckoff POP!(x) end seconds=1 setup=(x=3.0) # @invcheckoff pop!/push! bg["NiLang-@invcheckoff-@inbounds"] = @benchmarkable begin @instr @invcheckoff @inbounds PUSH!(x) @instr @invcheckoff @inbounds POP!(x) end seconds=1 setup=(x=3.0) # Julia pop!/push! bg["Julia"] = @benchmarkable begin push!(stack, x) x = pop!(stack) end seconds=1 setup=(x=3.0; stack=Float64[]) # FastStack-inbounds-Any bg["FastStack-inbounds-Any"] = @benchmarkable begin @inbounds push!(stack, x) @inbounds pop!(stack) end seconds=1 setup=(x=3.0; stack=FastStack(10)) # Julia pop!/push! bg["Julia-Any"] = @benchmarkable begin push!(stack, x) x = pop!(stack) end seconds=1 setup=(x=3.0; stack=Any[]) # setindex bg["setindex"] = @benchmarkable begin stack[2] = x x = 0.0 x = stack[2] end seconds=1 setup=(x=3.0; stack=Float64[1.0, 2.0]) # setindex-inbounds bg["setindex-inbounds"] = @benchmarkable begin stack[2] = x x = 0.0 x = stack[2] end seconds=1 setup=(x=3.0; stack=Float64[1.0, 2.0]) # FastStack bg["FastStack"] = @benchmarkable begin push!(stack, x) x = 0.0 x = pop!(stack) end seconds=1 setup=(x=3.0; stack=FastStack{Float64}(10)) # FastStack-inbounds bg["FastStack-inbounds"] = @benchmarkable begin @inbounds push!(stack, x) x = 0.0 @inbounds x = pop!(stack) end seconds=1 setup=(x=3.0; stack=FastStack{Float64}(10)) tune!(bg) run(bg)
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
benchmark/try.jl
code
2297
using Zygote f(x, y) = (x+exp(y), y) invf(x, y) = (x-exp(y), y) # βˆ‚L/βˆ‚x2 = βˆ‚L/βˆ‚x1*βˆ‚x1/βˆ‚x2 + βˆ‚L/βˆ‚y1*βˆ‚y1/βˆ‚y2 = βˆ‚L/βˆ‚x1*invf'(x2) + βˆ‚L/βˆ‚y1*invf'(y2) x1, y1 = 1.4, 4.4 x2, y2 = f(x,y) function gf(x, y, gx, gy) x2, y2 = f(x, y) invJ1 = gradient((x2, y2)->invf(x2, y2)[1], x2, y2) invJ2 = gradient((x2, y2)->invf(x2, y2)[2], x2, y2) return (x2, y2, gx, gy) end gradient((x, y)->invf(x, y)[1], x, y) mutable struct A{T} x::T end Base.:*(x1::A, x2::A) = A(x1.x*x2.x) Base.:+(x1::A, x2::A) = A(x1.x+x2.x) Base.zero(::A{T}) where T = A(T(0)) struct A2{T} x::T end Base.:*(x1::A2, x2::A2) = A2(x1.x*x2.x) Base.:+(x1::A2, x2::A2) = A2(x1.x+x2.x) Base.zero(::A2{T}) where T = A2(T(0)) struct BG{T} x::T g::B{T} BG(x::T) where T = new{T}(x) end struct BG{T} x::T g::BG{T} BG(x::T) where T = new{T}(x) end mutable struct AG{T} x::T g::AG{T} AG(x::T) where T = new{T}(x) AG(x::T, g::TG) where {T,TG} = new{T}(x, T(g)) end Base.:*(x1::AG, x2::AG) = AG(x1.x*x2.x) Base.:+(x1::AG, x2::AG) = AG(x1.x+x2.x) Base.zero(::AG{T}) where T = AG(T(0)) init(ag::AG{T}) where T = (ag.g = AG(T(0))) using BenchmarkTools ma = fill(A(1.0), 100,100) ma2 = fill(A2(1.0), 100,100) function f(ma, mb) M, N, K = size(ma, 1), size(mb, 2), size(ma, 2) res = fill(zero(ma[1]), M, N) for i=1:M for j=1:N for k=1:K @inbounds res[i,j] += ma[i,k]*mb[k,j] end end end return res end @benchmark f(ma, ma) @benchmark f(ma2, ma2) ma = fill(AG(1.0), 100,100) @benchmark ma*ma a = A(0.4) ag = AG(0.4) using NiLangCore @benchmark isdefined($ag, :g) @benchmark $ag + $ag ag.g = AG(0.0) @benchmark $a + $a struct SG{T} x::T g::Ref{T} SG(x::T) where T = new{T}(x) end Base.:*(x1::SG, x2::SG) = SG(x1.x*x2.x) Base.:+(x1::SG, x2::SG) = SG(x1.x+x2.x) Base.zero(::SG{T}) where T = SG(T(0)) init(ag::AG{T}) where T = (ag.g = AG(T(0))) using BenchmarkTools ma = fill(SG(1.0), 100,100) @benchmark ma*ma a = A(0.4) ag = AG(0.4) using NiLangCore @benchmark isdefined($ag, :g) @benchmark $ag + $ag ag.g = AG(0.0) @benchmark $a + $a using NiLang, NiLang.AD @i function test(x, one, N::Int) for i = 1:N x += one end end invcheckon(true) @benchmark test'(Loss(0.0), 1.0, 1000000)
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
docs/make.jl
code
382
using Documenter, NiLangCore makedocs(; modules=[NiLangCore], format=Documenter.HTML(), pages=[ "Home" => "index.md", ], repo="https://github.com/GiggleLiu/NiLangCore.jl/blob/{commit}{path}#L{line}", sitename="NiLangCore.jl", authors="JinGuo Liu, thautwarm", assets=String[], ) deploydocs(; repo="github.com/GiggleLiu/NiLangCore.jl", )
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/Core.jl
code
6182
############# function properties ############# export isreversible, isreflexive, isprimitive export protectf """ isreversible(f, ARGT) Return `true` if a function is reversible. """ isreversible(f, ::Type{ARGT}) where ARGT = hasmethod(~f, ARGT) """ isreflexive(f) Return `true` if a function is self-inverse. """ isreflexive(f) = (~f) === f """ isprimitive(f) Return `true` if `f` is an `instruction` that can not be decomposed anymore. """ isprimitive(f) = false ############# ancillas ################ export InvertibilityError, @invcheck """ deanc(a, b) Deallocate varialbe `a` with value `b`. It will throw an error if * `a` and `b` are objects with different types, * `a` is not equal to `b` (for floating point numbers, an error within `NiLangCore.GLOBAL_ATOL[]` is allowed), """ function deanc end function deanc(a::T, b::T) where T <: AbstractFloat if a !== b && abs(b - a) > GLOBAL_ATOL[] throw(InvertibilityError("deallocate fail (floating point numbers): $a ≂̸ $b")) end end deanc(x::T, val::T) where T<:Tuple = deanc.(x, val) deanc(x::T, val::T) where T<:AbstractArray = x === val || deanc.(x, val) deanc(a::T, b::T) where T<:AbstractString = a === b || throw(InvertibilityError("deallocate fail (string): $a ≂̸ $b")) function deanc(x::T, val::T) where T<:Dict if x !== val if length(x) != length(val) throw(InvertibilityError("deallocate fail (dict): length of dict not the same, got $(length(x)) and $(length(val))!")) else for (k, v) in x if haskey(val, k) deanc(x[k], val[k]) else throw(InvertibilityError("deallocate fail (dict): key $k of dict does not exist!")) end end end end end deanc(a, b) = throw(InvertibilityError("deallocate fail (type mismatch): `$(typeof(a))` and `$(typeof(b))`")) @generated function deanc(a::T, b::T) where T nf = fieldcount(a) if isprimitivetype(T) :(a === b || throw(InvertibilityError("deallocate fail (primitive): $a ≂̸ $b"))) else Expr(:block, [:($deanc(a.$NAME, b.$NAME)) for NAME in fieldnames(T)]...) end end """ InvertibilityError <: Exception InvertibilityError(ex) The error for irreversible statements. """ struct InvertibilityError <: Exception ex end """ @invcheck x val The macro version `NiLangCore.deanc`, with more informative error. """ macro invcheck(x, val) esc(_invcheck(x, val)) end # the expression for reversibility checking function _invcheck(x, val) Expr(:try, Expr(:block, :($deanc($x, $val))), :e, Expr(:block, :(println("deallocate fail `$($(QuoteNode(x))) β†’ $($(QuoteNode(val)))`")), :(throw(e))) ) end _invcheck(docheck::Bool, arg, res) = docheck ? _invcheck(arg, res) : nothing """ chfield(x, field, val) Change a `field` of an object `x`. The `field` can be a `Val` type ```jldoctest; setup=:(using NiLangCore) julia> chfield(1+2im, Val(:im), 5) 1 + 5im ``` or a function ```jldoctest; setup=:(using NiLangCore) julia> using NiLangCore julia> struct GVar{T, GT} x::T g::GT end julia> @fieldview xx(x::GVar) = x.x julia> chfield(GVar(1.0, 0.0), xx, 2.0) GVar{Float64, Float64}(2.0, 0.0) ``` """ function chfield end ########### Inv ########## export Inv, invtype """ Inv{FT} <: Function Inv(f) The inverse of a function. """ struct Inv{FT} <: Function f::FT end Inv(f::Inv) = f.f @static if VERSION >= v"1.6" Base.:~(f::Base.ComposedFunction) = (~(f.inner)) ∘ (~(f.outer)) end Base.:~(f::Function) = Inv(f) Base.:~(::Type{Inv{T}}) where T = T # for type, it is a destructor Base.:~(::Type{T}) where T = Inv{T} # for type, it is a destructor Base.show(io::IO, b::Inv) = print(io, "~$(b.f)") Base.display(bf::Inv) where f = print(bf) """ protectf(f) Protect a function from being inverted, useful when using an callable object. """ protectf(x) = x protectf(x::Inv) = x.f invtype(::Type{T}) where T = Inv{<:T} ######### Infer export PlusEq, MinusEq, XorEq, MulEq, DivEq """ PlusEq{FT} <: Function PlusEq(f) Called when executing `out += f(args...)` instruction. The following two statements are same ```jldoctest; setup=:(using NiLangCore) julia> x, y, z = 0.0, 2.0, 3.0 (0.0, 2.0, 3.0) julia> x, y, z = PlusEq(*)(x, y, z) (6.0, 2.0, 3.0) julia> x, y, z = 0.0, 2.0, 3.0 (0.0, 2.0, 3.0) julia> @instr x += y*z julia> x, y, z (6.0, 2.0, 3.0) ``` """ struct PlusEq{FT} <: Function f::FT end """ MinusEq{FT} <: Function MinusEq(f) Called when executing `out -= f(args...)` instruction. See `PlusEq` for detail. """ struct MinusEq{FT} <: Function f::FT end """ MulEq{FT} <: Function MulEq(f) Called when executing `out *= f(args...)` instruction. See `PlusEq` for detail. """ struct MulEq{FT} <: Function f::FT end """ DivEq{FT} <: Function DivEq(f) Called when executing `out /= f(args...)` instruction. See `PlusEq` for detail. """ struct DivEq{FT} <: Function f::FT end """ XorEq{FT} <: Function XorEq(f) Called when executing `out ⊻= f(args...)` instruction. See `PlusEq` for detail. """ struct XorEq{FT} <: Function f::FT end const OPMX{FT} = Union{PlusEq{FT}, MinusEq{FT}, XorEq{FT}, MulEq{FT}, DivEq{FT}} for (TP, OP) in [(:PlusEq, :+), (:MinusEq, :-), (:XorEq, :⊻)] @eval (inf::$TP)(out!, args...; kwargs...) = $OP(out!, inf.f(args...; kwargs...)), args... @eval (inf::$TP)(out!::Tuple, args...; kwargs...) = $OP.(out!, inf.f(args...; kwargs...)), args... # e.g. allow `(x, y) += sincos(a)` end Base.:~(op::PlusEq) = MinusEq(op.f) Base.:~(om::MinusEq) = PlusEq(om.f) Base.:~(op::MulEq) = DivEq(op.f) Base.:~(om::DivEq) = MulEq(om.f) Base.:~(om::XorEq) = om for (T, S) in [(:PlusEq, "+="), (:MinusEq, "-="), (:MulEq, "*="), (:DivEq, "/="), (:XorEq, "⊻=")] @eval Base.display(o::$T) = print($S, "(", o.f, ")") @eval Base.display(o::Type{$T}) = print($S) @eval Base.show_function(io::IO, o::$T, compact::Bool) = print(io, "$($S)($(o.f))") @eval Base.show_function(io::IO, ::MIME"plain/text", o::$T, compact::Bool) = Base.show(io, o) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/NiLangCore.jl
code
414
module NiLangCore using MLStyle using TupleTools include("lens.jl") include("utils.jl") include("symboltable.jl") include("stack.jl") include("Core.jl") include("vars.jl") include("instr.jl") include("dualcode.jl") include("preprocess.jl") include("variable_analysis.jl") include("compiler.jl") include("checks.jl") if Base.VERSION >= v"1.4.2" include("precompile.jl") _precompile_() end end # module
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/checks.jl
code
1912
export check_inv, world_similar, almost_same @nospecialize """ check_inv(f, args; atol::Real=1e-8, verbose::Bool=false, kwargs...) Return true if `f(args..., kwargs...)` is reversible. """ function check_inv(f, args; atol::Real=1e-8, verbose::Bool=false, kwargs...) args0 = deepcopy(args) args_ = f(args...; kwargs...) args = length(args) == 1 ? (args_,) : args_ args_ = (~f)(args...; kwargs...) args = length(args) == 1 ? (args_,) : args_ world_similar(args0, args, atol=atol, verbose=verbose) end function world_similar(a, b; atol::Real=1e-8, verbose::Bool=false) for (xa, xb) in zip(a, b) if !almost_same(xa, xb; atol=atol) verbose && println("$xa does not match $xb") return false end end return true end @specialize """ almost_same(a, b; atol=GLOBAL_ATOL[], kwargs...) -> Bool Return true if `a` and `b` are almost same w.r.t. `atol`. """ function almost_same(a::T, b::T; atol=GLOBAL_ATOL[], kwargs...) where T <: AbstractFloat a === b || abs(b - a) < atol end function almost_same(a::TA, b::TB; kwargs...) where {TA, TB} false end function almost_same(a::T, b::T; kwargs...) where {T<:Dict} length(a) != length(b) && return false for (k, v) in a haskey(b, k) && almost_same(v, b[k]; kwargs...) || return false end return true end @generated function almost_same(a::T, b::T; kwargs...) where T nf = fieldcount(a) if isprimitivetype(T) :(a === b) else quote res = true @nexprs $nf i-> res = res && almost_same(getfield(a, i), getfield(b, i); kwargs...) res end end end almost_same(x::T, y::T; kwargs...) where T<:AbstractArray = all(almost_same.(x, y; kwargs...)) almost_same(x::FastStack, y::FastStack; kwargs...) where T<:AbstractArray = all(almost_same.(x.data[1:x.top[]], y.data[1:y.top[]]; kwargs...))
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/compiler.jl
code
15496
struct CompileInfo invcheckon::Ref{Bool} end CompileInfo() = CompileInfo(Ref(true)) function compile_body(m::Module, body::AbstractVector, info) out = [] for ex in body ex_ = compile_ex(m, ex, info) ex_ !== nothing && push!(out, ex_) end return out end deleteindex!(d::AbstractDict, index) = delete!(d, index) @inline function map_func(x::Symbol) if x == :+= PlusEq, false elseif x == :.+= PlusEq, true elseif x == :-= MinusEq, false elseif x == :.-= MinusEq, true elseif x == :*= MulEq, false elseif x == :.*= MulEq, true elseif x == :/= DivEq, false elseif x == :./= DivEq, true elseif x == :⊻= XorEq, false elseif x == :.⊻= XorEq, true else error("`$x` can not be mapped to a reversible function.") end end # e.g. map `x += sin(z)` => `PlusEq(sin)(x, z)`. function to_standard_format(ex::Expr) head::Symbol = ex.head F, isbcast = map_func(ex.head) a, b = ex.args if !isbcast @match b begin :($f($(args...); $(kwargs...))) => :($F($f)($a, $(args...); $(kwargs...))) :($f($(args...))) => :($F($f)($a, $(args...))) :($x || $y) => :($F($logical_or)($a, $x, $y)) :($x && $y) => :($F($logical_and)($a, $x, $y)) _ => :($F(identity)($a, $b)) end else @match b begin :($f.($(args...); $(kwargs...))) => :($F($f).($a, $(args...); $(kwargs...))) :($f.($(args...))) => :($F($f).($a, $(args...))) :($f($(args...); $(kwargs...))) => :($F($(removedot(f))).($a, $(args...); $(kwargs...))) :($f($(args...))) => :($F($(removedot(f))).($a, $(args...))) _ => :($F(identity).($a, $b)) end end end logical_or(a, b) = a || b logical_and(a, b) = a && b """ compile_ex(m::Module, ex, info) Compile a NiLang statement to a regular julia statement. """ function compile_ex(m::Module, ex, info) @match ex begin :($a += $b) || :($a .+= $b) || :($a -= $b) || :($a .-= $b) || :($a *= $b) || :($a .*= $b) || :($a /= $b) || :($a ./= $b) || :($a ⊻= $b) || :($a .⊻= $b) => compile_ex(m, to_standard_format(ex), info) :(($t1=>$t2)($x)) => assign_ex(x, :(convert($t2, $x)), info.invcheckon[]) :(($t1=>$t2).($x)) => assign_ex(x, :(convert.($t2, $x)), info.invcheckon[]) # multi args expanded in preprocessing # general :($x ↔ $y) => begin e1 = isemptyvar(x) e2 = isemptyvar(y) if e1 && e2 nothing elseif e1 && !e2 _push_value(x, _pop_value(y), info.invcheckon[]) elseif !e1 && e2 _push_value(y, _pop_value(x), info.invcheckon[]) else tmp = gensym("temp") Expr(:block, :($tmp = $y), assign_ex(y, x, info.invcheckon[]), assign_ex(x, tmp, info.invcheckon[])) end end # stack :($s[end] β†’ $x) => begin if info.invcheckon[] y = gensym("result") Expr(:block, :($y=$loaddata($x, $pop!($s))), _invcheck(y, x), assign_ex(x, y, info.invcheckon[])) else y = gensym("result") Expr(:block, :($y=$loaddata($x, $pop!($s))), assign_ex(x, y, info.invcheckon[])) end end :($s[end+1] ← $x) => :($push!($s, $_copy($x))) # dict :($x[$index] ← $tp) => begin assign_expr = :($x[$index] = $tp) if info.invcheckon[] Expr(:block, _assert_nokey(x, index), assign_expr) else assign_expr end end :($x[$index] β†’ $tp) => begin delete_expr = :($(deleteindex!)($x, $index)) if info.invcheckon[] Expr(:block, _invcheck(:($x[$index]), tp), delete_expr) else delete_expr end end # general :($x ← $tp) => :($x = $tp) :($x β†’ $tp) => begin if info.invcheckon[] _invcheck(x, tp) end end :($f($(args...))) => begin assignback_ex(ex, info.invcheckon[]) end :($f.($(allargs...))) => begin args, kwargs = seperate_kwargs(allargs) symres = gensym("results") ex = :($symres = $unzipped_broadcast($kwargs, $f, $(args...))) Expr(:block, ex, assign_vars(args, symres, info.invcheckon[]).args...) end Expr(:if, _...) => compile_if(m, copy(ex), info) :(while ($pre, $post); $(body...); end) => begin whilestatement(pre, post, compile_body(m, body, info), info) end :(for $i=$range; $(body...); end) => begin forstatement(i, range, compile_body(m, body, info), info, nothing) end :(@simd $line for $i=$range; $(body...); end) => begin forstatement(i, range, compile_body(m, body, info), info, Symbol("@simd")=>line) end :(@threads $line for $i=$range; $(body...); end) => begin forstatement(i, range, compile_body(m, body, info), info, Symbol("@threads")=>line) end :(@avx $line for $i=$range; $(body...); end) => begin forstatement(i, range, compile_body(m, body, info), info, Symbol("@avx")=>line) end :(begin $(body...) end) => begin Expr(:block, compile_body(m, body, info)...) end :(@safe $line $subex) => subex :(@inbounds $line $subex) => Expr(:macrocall, Symbol("@inbounds"), line, compile_ex(m, subex, info)) :(@invcheckoff $line $subex) => begin state = info.invcheckon[] info.invcheckon[] = false ex = compile_ex(m, subex, info) info.invcheckon[] = state ex end :(@cuda $line $(args...)) => begin fcall = @match args[end] begin :($f($(args...))) => Expr(:call, Expr(:->, :(args...), Expr(:block, :($f(args...)), nothing ) ), args... ) _ => error("expect a function after @cuda, got $(args[end])") end Expr(:macrocall, Symbol("@cuda"), line, args[1:end-1]..., fcall) end :(@launchkernel $line $device $thread $ndrange $f($(args...))) => begin res = gensym("results") Expr(:block, :($res = $f($device, $thread)($(args...); ndrange=$ndrange)), :(wait($res)) ) end :(nothing) => ex ::Nothing => ex ::LineNumberNode => ex _ => error("statement not supported: `$ex`") end end function compile_if(m::Module, ex, info) pres = [] posts = [] ex = analyse_if(m, ex, info, pres, posts) Expr(:block, pres..., ex, posts...) end function analyse_if(m::Module, ex, info, pres, posts) var = gensym("branch") if ex.head == :if pre, post = ex.args[1].args ex.args[1] = var elseif ex.head == :elseif pre, post = ex.args[1].args[2].args ex.args[1].args[2] = var end push!(pres, :($var = $pre)) if info.invcheckon[] push!(posts, _invcheck(var, post)) end ex.args[2] = Expr(:block, compile_body(m, ex.args[2].args, info)...) if length(ex.args) == 3 if ex.args[3].head == :elseif ex.args[3] = analyse_if(m, ex.args[3], info, pres, posts) elseif ex.args[3].head == :block ex.args[3] = Expr(:block, compile_body(m, ex.args[3].args, info)...) end end ex end function whilestatement(precond, postcond, body, info) ex = Expr(:block, Expr(:while, precond, Expr(:block, body...), ), ) if info.invcheckon[] pushfirst!(ex.args, _invcheck(postcond, false)) push!(ex.args[end].args[end].args, _invcheck(postcond, true) ) end ex end function forstatement(i, range, body, info, mcr) assigns, checkers = compile_range(range) exf = Expr(:for, :($i=$range), Expr(:block, body...)) if !(mcr isa Nothing) exf = Expr(:macrocall, mcr.first, mcr.second, exf) end if info.invcheckon[] Expr(:block, assigns..., exf, checkers...) else exf end end _pop_value(x) = @match x begin :($s[end]) => :($pop!($s)) :($s[$ind]) => :($pop!($s, $ind)) # dict (notice pop over vector elements is not allowed.) :($x::$T) => :($(_pop_value(x))::$T) :(($(args...)),) => Expr(:tuple, _pop_value.(args)...) _ => x end _push_value(x, val, invcheck) = @match x begin :($s[end+1]) => :($push!($s, $val)) :($s[$arg]::βˆ…) => begin ex = :($s[$arg] = $val) if invcheck Expr(:block, _assert_nokey(s, arg), ex) else ex end end _ => assign_ex(x, val, invcheck) end function _assert_nokey(x, index) str = "dictionary `$x` already has key `$index`" Expr(:if, :(haskey($x, $index)), :(throw(InvertibilityError($str)))) end _copy(x) = copy(x) _copy(x::Tuple) = copy.(x) export @code_julia """ @code_julia ex Get the interpreted expression of `ex`. ```julia julia> @code_julia x += exp(3.0) quote var"##results#267" = ((PlusEq)(exp))(x, 3.0) x = var"##results#267"[1] try (NiLangCore.deanc)(3.0, var"##results#267"[2]) catch e @warn "deallocate fail: `3.0 β†’ var\"##results#267\"[2]`" throw(e) end end julia> @code_julia @invcheckoff x += exp(3.0) quote var"##results#257" = ((PlusEq)(exp))(x, 3.0) x = var"##results#257"[1] end ``` """ macro code_julia(ex) QuoteNode(compile_ex(__module__, ex, CompileInfo())) end compile_ex(m::Module, ex) = compile_ex(m, ex, CompileInfo()) export @i """ @i function fname(args..., kwargs...) ... end @i struct sname ... end Define a reversible function/type. ```jldoctest; setup=:(using NiLangCore) julia> @i function test(out!, x) out! += identity(x) end julia> test(0.2, 0.8) (1.0, 0.8) ``` See `test/compiler.jl` for more examples. """ macro i(ex) ex = gen_ifunc(__module__, ex) ex.args[1] = :(Base.@__doc__ $(ex.args[1])) esc(ex) end # generate the reversed function function gen_ifunc(m::Module, ex) mc, fname, args, ts, body = precom(m, ex) fname = _replace_opmx(fname) # implementations ftype = get_ftype(fname) head = :($fname($(args...)) where {$(ts...)}) dfname = dual_fname(fname) dftype = get_ftype(dfname) fdef1 = Expr(:function, head, Expr(:block, compile_body(m, body, CompileInfo())..., functionfoot(args))) dualhead = :($dfname($(args...)) where {$(ts...)}) fdef2 = Expr(:function, dualhead, Expr(:block, compile_body(m, dual_body(m, body), CompileInfo())..., functionfoot(args))) if mc !== nothing fdef1 = Expr(:macrocall, mc[1], mc[2], fdef1) fdef2 = Expr(:macrocall, mc[1], mc[2], fdef2) end #ex = :(Base.@__doc__ $fdef1; if $ftype != $dftype; $fdef2; end) ex = Expr(:block, fdef1, Expr(:if, :($ftype != $dftype), fdef2), ) end export nilang_ir """ nilang_ir(ex; reversed::Bool=false) Get the NiLang reversible IR from the function expression `ex`, return the reversed function if `reversed` is `true`. This IR is not directly executable on Julia, please use `macroexpand(Main, :(@i function .... end))` to get the julia expression of a reversible function. ```jldoctest; setup=:(using NiLangCore) julia> ex = :(@inline function f(x!::T, y) where T @routine begin anc ← zero(T) anc += identity(x!) end x! += y * anc ~@routine end); julia> NiLangCore.nilang_ir(Main, ex) |> NiLangCore.rmlines :(@inline function f(x!::T, y) where T begin anc ← zero(T) anc += identity(x!) end x! += y * anc begin anc -= identity(x!) anc β†’ zero(T) end end) julia> NiLangCore.nilang_ir(Main, ex; reversed=true) |> NiLangCore.rmlines :(@inline function (~f)(x!::T, y) where T begin anc ← zero(T) anc += identity(x!) end x! -= y * anc begin anc -= identity(x!) anc β†’ zero(T) end end) ``` """ function nilang_ir(m::Module, ex; reversed::Bool=false) mc, fname, args, ts, body = precom(m, ex) fname = _replace_opmx(fname) # implementations if reversed dfname = :(~$fname) # use fake head for readability head = :($dfname($(args...)) where {$(ts...)}) body = dual_body(m, body) else head = :($fname($(args...)) where {$(ts...)}) end fdef = Expr(:function, head, Expr(:block, body...)) if mc !== nothing fdef = Expr(:macrocall, mc[1], mc[2], fdef) end fdef end # seperate and return `args` and `kwargs` @inline function seperate_kwargs(args) if length(args) > 0 && args[1] isa Expr && args[1].head == :parameters args = args[2:end], args[1] else args, Expr(:parameters) end end # add a `return` statement to the end of the function body. function functionfoot(args) args = get_argname.(seperate_kwargs(args)[1]) if length(args) == 1 if args[1] isa Expr && args[1].head == :(...) args[1].args[1] else args[1] end else :(($(args...),)) end end # to provide the eye candy for defining `x += f(args...)` like functions _replace_opmx(ex) = @match ex begin :(:+=($f)) => :($(gensym())::PlusEq{typeof($f)}) :(:-=($f)) => :($(gensym())::MinusEq{typeof($f)}) :(:*=($f)) => :($(gensym())::MulEq{typeof($f)}) :(:/=($f)) => :($(gensym())::DivEq{typeof($f)}) :(:⊻=($f)) => :($(gensym())::XorEq{typeof($f)}) _ => ex end export @instr """ @instr ex Execute a reversible instruction. """ macro instr(ex) ex = precom_ex(__module__, ex, NiLangCore.PreInfo()) #variable_analysis_ex(ex, SymbolTable()) esc(Expr(:block, NiLangCore.compile_ex(__module__, ex, CompileInfo()), nothing)) end # the range of for statement compile_range(range) = @match range begin :($start:$step:$stop) => begin start_, step_, stop_ = gensym("start"), gensym("step"), gensym("stop") Any[:($start_ = $start), :($step_ = $step), :($stop_ = $stop)], Any[_invcheck(start_, start), _invcheck(step_, step), _invcheck(stop_, stop)] end :($start:$stop) => begin start_, stop_ = gensym("start"), gensym("stop") Any[:($start_ = $start), :($stop_ = $stop)], Any[_invcheck(start_, start), _invcheck(stop_, stop)] end :($list) => begin list_ = gensym("iterable") Any[:($list_ = deepcopy($list))], Any[_invcheck(list_, list)] end end """ get_ftype(fname) Return the function type, e.g. * `obj::ABC` => `ABC` * `f` => `typeof(f)` """ function get_ftype(fname) @match fname begin :($x::$tp) => tp _ => :($NiLangCore._typeof($fname)) end end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/dualcode.jl
code
5191
# get the expression of the inverse function function dual_func(m::Module, fname, args, ts, body) :(function $(:(~$fname))($(args...)) where {$(ts...)}; $(dual_body(m, body)...); end) end # get the function name of the inverse function function dual_fname(op) @match op begin :($x::$tp) => :($x::$invtype($tp)) :(~$x) => x _ => :($(gensym("~$op"))::$_typeof(~$op)) end end _typeof(x) = typeof(x) _typeof(x::Type{T}) where T = Type{T} """ dual_ex(m::Module, ex) Get the dual expression of `ex`. """ function dual_ex(m::Module, ex) @match ex begin :(($t1=>$t2)($x)) => :(($t2=>$t1)($x)) :(($t1=>$t2).($x)) => :(($t2=>$t1).($x)) :($x ↔ $y) => dual_swap(x, y) :($s[end+1] ← $x) => :($s[end] β†’ $x) :($s[end] β†’ $x) => :($s[end+1] ← $x) :($x β†’ $val) => :($x ← $val) :($x ← $val) => :($x β†’ $val) :($f($(args...))) => startwithdot(f) ? :($(getdual(removedot(sym))).($(args...))) : :($(getdual(f))($(args...))) :($f.($(args...))) => :($(getdual(f)).($(args...))) :($a += $b) => :($a -= $b) :($a .+= $b) => :($a .-= $b) :($a -= $b) => :($a += $b) :($a .-= $b) => :($a .+= $b) :($a *= $b) => :($a /= $b) :($a .*= $b) => :($a ./= $b) :($a /= $b) => :($a *= $b) :($a ./= $b) => :($a .*= $b) :($a ⊻= $b) => :($a ⊻= $b) :($a .⊻= $b) => :($a .⊻= $b) Expr(:if, _...) => dual_if(m, copy(ex)) :(while ($pre, $post); $(body...); end) => begin Expr(:while, :(($post, $pre)), Expr(:block, dual_body(m, body)...)) end :(for $i=$start:$step:$stop; $(body...); end) => begin Expr(:for, :($i=$stop:(-$step):$start), Expr(:block, dual_body(m, body)...)) end :(for $i=$start:$stop; $(body...); end) => begin j = gensym("j") Expr(:for, :($j=$start:$stop), Expr(:block, :($i ← $stop-$j+$start), dual_body(m, body)..., :($i β†’ $stop-$j+$start))) end :(for $i=$itr; $(body...); end) => begin Expr(:for, :($i=Base.Iterators.reverse($itr)), Expr(:block, dual_body(m, body)...)) end :(@safe $line $subex) => Expr(:macrocall, Symbol("@safe"), line, subex) :(@cuda $line $(args...)) => Expr(:macrocall, Symbol("@cuda"), line, args[1:end-1]..., dual_ex(m, args[end])) :(@launchkernel $line $(args...)) => Expr(:macrocall, Symbol("@launchkernel"), line, args[1:end-1]..., dual_ex(m, args[end])) :(@inbounds $line $subex) => Expr(:macrocall, Symbol("@inbounds"), line, dual_ex(m, subex)) :(@simd $line $subex) => Expr(:macrocall, Symbol("@simd"), line, dual_ex(m, subex)) :(@threads $line $subex) => Expr(:macrocall, Symbol("@threads"), line, dual_ex(m, subex)) :(@avx $line $subex) => Expr(:macrocall, Symbol("@avx"), line, dual_ex(m, subex)) :(@invcheckoff $line $subex) => Expr(:macrocall, Symbol("@invcheckoff"), line, dual_ex(m, subex)) :(begin $(body...) end) => Expr(:block, dual_body(m, body)...) :(nothing) => ex ::LineNumberNode => ex ::Nothing => ex :() => ex _ => error("can not invert target expression $ex") end end function dual_if(m::Module, ex) _dual_cond(cond) = @match cond begin :(($pre, $post)) => :(($post, $pre)) end if ex.head == :if ex.args[1] = _dual_cond(ex.args[1]) elseif ex.head == :elseif ex.args[1].args[2] = _dual_cond(ex.args[1].args[2]) end ex.args[2] = Expr(:block, dual_body(m, ex.args[2].args)...) if length(ex.args) == 3 if ex.args[3].head == :elseif ex.args[3] = dual_if(m, ex.args[3]) elseif ex.args[3].head == :block ex.args[3] = Expr(:block, dual_body(m, ex.args[3].args)...) end end ex end function dual_swap(x, y) e1 = isemptyvar(x) e2 = isemptyvar(y) if e1 && !e2 || !e1 && e2 :($(_dual_swap_var(x)) ↔ $(_dual_swap_var(y))) else :($y ↔ $x) end end _dual_swap_var(x) = @match x begin :($s[end+1]) => :($s[end]) :($x::βˆ…) => :($x) :($s[end]) => :($s[end+1]) _ => :($x::βˆ…) end export @code_reverse """ @code_reverse ex Get the reversed expression of `ex`. ```jldoctest; setup=:(using NiLangCore) julia> @code_reverse x += exp(3.0) :(x -= exp(3.0)) ``` """ macro code_reverse(ex) QuoteNode(dual_ex(__module__, ex)) end getdual(f) = @match f begin :(~$f) => f _ => :(~$f) end function dual_body(m::Module, body) out = [] # fix function LineNumberNode if length(body) > 1 && body[1] isa LineNumberNode && body[2] isa LineNumberNode push!(out, body[1]) start = 2 else start = 1 end ptr = length(body) # reverse the statements len = 0 while ptr >= start if ptr-len==0 || body[ptr-len] isa LineNumberNode ptr-len != 0 && push!(out, body[ptr-len]) for j=ptr:-1:ptr-len+1 push!(out, dual_ex(m, body[j])) end ptr -= len+1 len = 0 else len += 1 end end return out end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/instr.jl
code
5453
export @dual, @selfdual, @dualtype """ @dual f invf Define `f` and `invf` as a pair of dual instructions, i.e. reverse to each other. """ macro dual(f, invf) esc(quote if !$NiLangCore.isprimitive($f) $NiLangCore.isprimitive(::typeof($f)) = true end if !$NiLangCore.isprimitive($invf) $NiLangCore.isprimitive(::typeof($invf)) = true end if Base.:~($f) !== $invf Base.:~(::typeof($f)) = $invf; end if Base.:~($invf) !== $f Base.:~(::typeof($invf)) = $f; end end) end macro dualtype(t, invt) esc(quote $invtype($t) === $invt || begin $NiLangCore.invtype(::Type{$t}) = $invt $NiLangCore.invtype(::Type{T}) where T<:$t = $invt{T.parameters...} end $invtype($invt) === $t || begin $NiLangCore.invtype(::Type{$invt}) = $t $NiLangCore.invtype(::Type{T}) where T<:$invt = $t{T.parameters...} end end) end @dualtype PlusEq MinusEq @dualtype DivEq MulEq @dualtype XorEq XorEq """ @selfdual f Define `f` as a self-dual instructions. """ macro selfdual(f) esc(:(@dual $f $f)) end export @const @eval macro $(:const)(ex) esc(ex) end export @skip! macro skip!(ex) esc(ex) end export @assignback # TODO: include control flows. """ @assignback f(args...) [invcheck] Assign input variables with output values: `args... = f(args...)`, turn off invertibility error check if the second argument is false. """ macro assignback(ex, invcheck=true) ex = precom_ex(__module__, ex, PreInfo()) esc(assignback_ex(ex, invcheck)) end function assignback_ex(ex::Expr, invcheck::Bool) @match ex begin :($f($(args...))) => begin symres = gensym("results") ex = :($symres = $f($(args...))) res = assign_vars(seperate_kwargs(args)[1], symres, invcheck) pushfirst!(res.args, ex) return res end _ => error("assign back fail, got $ex") end end """ assign_vars(args, symres, invcheck) Get the expression of assigning `symres` to `args`. """ function assign_vars(args, symres, invcheck) exprs = [] for (i,arg) in enumerate(args) exi = @match arg begin :($ag...) => begin i!=length(args) && error("`args...` like arguments should only appear as the last argument!") ex = :(ntuple(j->$symres[j+$(i-1)], length($ag))) assign_ex(ag, i==1 ? :(length($ag) == 1 ? ($symres,) : $ex) : ex, invcheck) end _ => if length(args) == 1 assign_ex(arg, symres, invcheck) else assign_ex(arg, :($symres[$i]), invcheck) end end exi !== nothing && push!(exprs, exi) end Expr(:block, exprs...) end error_message_fcall(arg) = """ function arguments should not contain function calls on variables, got `$arg`, try to decompose it into elementary statements, e.g. statement `z += f(g(x))` should be written as y += g(x) z += y If `g` is a dataview (a function map an object to its field or a bijective function), one can also use the pipline like z += f(x |> g) """ assign_ex(arg, res, invcheck) = @match arg begin ::Number || ::String => _invcheck(invcheck, arg, res) ::Symbol || ::GlobalRef => _isconst(arg) ? _invcheck(invcheck, arg, res) : :($arg = $res) :(@skip! $line $x) => nothing :(@fields $line $x) => assign_ex(x, Expr(:call, default_constructor, :(typeof($x)), Expr(:..., res)), invcheck) :($x::βˆ…) => assign_ex(x, res, invcheck) :($x::$T) => assign_ex(x, :($loaddata($T, $res)), invcheck) :($x.$k) => _isconst(x) ? _invcheck(invcheck, arg, res) : assign_ex(x, :(chfield($x, $(Val(k)), $res)), invcheck) # tuples must be index through (x |> 1) :($a |> tget($x)) => assign_ex(a, :($(TupleTools.insertat)($a, $x, ($res,))), invcheck) :($a |> subarray($(ranges...))) => :(($res===view($a, $(ranges...))) || (view($a, $(ranges...)) .= $res)) :($x |> $f) => _isconst(x) ? _invcheck(invcheck, arg,res) : assign_ex(x, :(chfield($x, $f, $res)), invcheck) :($x .|> $f) => _isconst(x) ? _invcheck(invcheck, arg,res) : assign_ex(x, :(chfield.($x, Ref($f), $res)), invcheck) :($x') => _isconst(x) ? _invcheck(invcheck, arg, res) : assign_ex(x, :(chfield($x, adjoint, $res)), invcheck) :(-$x) => _isconst(x) ? _invcheck(invcheck, arg,res) : assign_ex(x, :(chfield($x, -, $res)), invcheck) :($t{$(p...)}($(args...))) => begin if length(args) == 1 assign_ex(args[1], :($getfield($res, 1)), invcheck) else assign_vars(args, :($type2tuple($res)), invcheck) end end :($f($(args...))) => all(_isconst, args) || error(error_message_fcall(arg)) :($f.($(args...))) => all(_isconst, args) || error(error_message_fcall(arg)) :($a[$(x...)]) => begin :($a[$(x...)] = $res) end :(($(args...),)) => begin # TODO: avoid possible repeated evaluation (not here, in swap) Expr(:block, [assign_ex(args[i], :($res[$i]), invcheck) for i=1:length(args)]...) end _ => _invcheck(invcheck, arg, res) end export @assign """ @assign a b [invcheck] Perform the assign `a = b` in a reversible program. Turn off invertibility check if the `invcheck` is false. """ macro assign(a, b, invcheck=true) esc(assign_ex(a, b, invcheck)) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/lens.jl
code
3188
export _zero, @fields # update a field of a struct. @inline @generated function field_update(main :: T, field::Val{Field}, value) where {T, Field} fields = fieldnames(T) Expr(:new, T, Any[field !== Field ? :(main.$field) : :value for field in fields]...) end # the default constructor of a struct @inline @generated function default_constructor(::Type{T}, fields::Vararg{Any,N}) where {T,N} Expr(:new, T, Any[:(fields[$i]) for i=1:N]...) end """ _zero(T) _zero(x::T) Create a `zero` of type `T` by recursively applying `zero` to its fields. """ @inline @generated function _zero(::Type{T}) where {T} Expr(:new, T, Any[:(_zero($field)) for field in T.types]...) end @inline @generated function _zero(x::T) where {T} Expr(:new, T, Any[:(_zero(x.$field)) for field in fieldnames(T)]...) end function lens_compile(ex, cache, value) @match ex begin :($a.$b.$c = $d) => begin updated = Expr(:let, Expr(:block, :($cache = $cache.$b), :($value = $d)), :($field_update($cache, $(Val(c)), $value))) lens_compile(:($a.$b = $updated), cache, value) end :($a.$b = $c) => begin Expr(:let, Expr(:block, :($cache = $a), :($value=$c)), :($field_update($cache, $(Val(b)), $value))) end _ => error("Malformed update notation $ex, expect the form like 'a.b = c'.") end end function with(ex) cache = gensym("cache") value = gensym("value") lens_compile(ex, cache, value) end """ e.g. `@with x.y = val` will return a new object similar to `x`, with the `y` field changed to `val`. """ macro with(ex) with(ex) |> esc end @inline @generated function _zero(::Type{T}) where {T<:Tuple} Expr(:tuple, Any[:(_zero($field)) for field in T.types]...) end _zero(::Type{T}) where T<:Real = zero(T) _zero(::Type{String}) = "" _zero(::Type{Symbol}) = Symbol("") _zero(::Type{Char}) = '\0' _zero(::Type{T}) where {ET,N,T<:AbstractArray{ET,N}} = reshape(ET[], ntuple(x->0, N)) _zero(::Type{T}) where {A,B,T<:Dict{A,B}} = Dict{A,B}() #_zero(x::T) where T = _zero(T) # not adding this line! _zero(x::T) where T<:Real = zero(x) _zero(::String) = "" _zero(::Symbol) = Symbol("") _zero(::Char) = '\0' _zero(x::T) where T<:AbstractArray = zero(x) function _zero(d::T) where {A,B,T<:Dict{A,B}} Dict{A,B}([x=>_zero(y) for (x,y) in d]) end @static if VERSION > v"1.6.100" @generated function chfield(x, ::Val{FIELD}, xval) where FIELD if ismutabletype(x) Expr(:block, :(x.$FIELD = xval), :x) else :(@with x.$FIELD = xval) end end else @generated function chfield(x, ::Val{FIELD}, xval) where FIELD if x.mutable Expr(:block, :(x.$FIELD = xval), :x) else :(@with x.$FIELD = xval) end end end @generated function chfield(x, f::Function, xval) Expr(:block, _invcheck(:(f(x)), :xval), :x) end # convert field of an object to a tuple @generated function type2tuple(x::T) where T Expr(:tuple, [:(x.$v) for v in fieldnames(T)]...) end macro fields(ex) esc(:($type2tuple($ex))) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/precompile.jl
code
6932
function _precompile_() ccall(:jl_generating_output, Cint, ()) == 1 || return nothing Base.precompile(Tuple{typeof(gen_ifunc),Module,Expr}) # time: 1.9265794 Base.precompile(Tuple{typeof(render_arg),Expr}) # time: 0.045112614 Base.precompile(Tuple{typeof(dual_ex),Module,Expr}) # time: 0.04482814 Base.precompile(Tuple{typeof(memkernel),Expr}) # time: 0.042466346 Base.precompile(Tuple{typeof(functionfoot),Vector{Any}}) # time: 0.028968 Base.precompile(Tuple{PlusEq{typeof(cos)},Float64,Float64}) # time: 0.024845816 Base.precompile(Tuple{typeof(assign_ex),Expr,Expr,Bool}) # time: 0.02307638 Base.precompile(Tuple{typeof(pushvar!),Vector{Symbol},Expr}) # time: 0.008682777 Base.precompile(Tuple{typeof(precom_opm),Symbol,Symbol,Expr}) # time: 0.024082141 Base.precompile(Tuple{typeof(precom_opm),Symbol,Expr,Expr}) # time: 0.014433064 Base.precompile(Tuple{PlusEq{typeof(sin)},Float64,Float64}) # time: 0.004275546 Base.precompile(Tuple{typeof(get_argname),Expr}) # time: 0.00546523 Base.precompile(Tuple{typeof(forstatement),Symbol,Expr,Vector{Any},CompileInfo,Nothing}) # time: 0.003776189 Base.precompile(Tuple{typeof(julia_usevar!),SymbolTable,Expr}) # time: 0.049144164 Base.precompile(Tuple{typeof(julia_usevar!),SymbolTable,Symbol}) # time: 0.003254819 Base.precompile(Tuple{typeof(precom_ex),Module,LineNumberNode,PreInfo}) # time: 0.001450645 Base.precompile(Tuple{typeof(precom_body),Module,SubArray{Any, 1, Vector{Any}, Tuple{UnitRange{Int64}}, true},PreInfo}) # time: 0.001423381 Base.precompile(Tuple{typeof(precom_body),Module,Vector{Any},PreInfo}) # time: 0.001126582 Base.precompile(Tuple{typeof(variable_analysis_ex),Expr,SymbolTable}) # time: 0.31368348 Base.precompile(Tuple{typeof(precom_ex),Module,Expr,PreInfo}) # time: 0.20325074 Base.precompile(Tuple{typeof(compile_ex),Module,Expr,CompileInfo}) # time: 0.19640462 Base.precompile(Tuple{Core.kwftype(typeof(almost_same)),NamedTuple{(:atol,), Tuple{Float64}},typeof(almost_same),Vector{Int64},Vector{Int64}}) # time: 0.080980584 Base.precompile(Tuple{typeof(unzipped_broadcast),PlusEq{typeof(*)},Tuple{Float64, Float64},Tuple{Float64, Float64},Tuple{Float64, Float64}}) # time: 0.07962415 Base.precompile(Tuple{typeof(unzipped_broadcast),PlusEq{typeof(identity)},Vector{Float64},Vector{Float64}}) # time: 0.060837016 Base.precompile(Tuple{typeof(almost_same),Vector{Float64},Vector{Float64}}) # time: 0.043818954 Base.precompile(Tuple{typeof(functionfoot),Vector{Expr}}) # time: 0.03988443 Base.precompile(Tuple{typeof(assign_ex),Expr,Symbol,Bool}) # time: 0.03273888 Base.precompile(Tuple{typeof(assign_ex),Expr,Float64,Bool}) # time: 0.031806484 Base.precompile(Tuple{typeof(Base.show_function),IOContext{IOBuffer},PlusEq{typeof(abs2)},Bool}) # time: 0.025549678 Base.precompile(Tuple{typeof(precom_opm),Symbol,Symbol,Symbol}) # time: 0.023482375 Base.precompile(Tuple{PlusEq{typeof(^)},ComplexF64,ComplexF64,Vararg{ComplexF64, N} where N}) # time: 0.018600011 Base.precompile(Tuple{typeof(functionfoot),Vector{Symbol}}) # time: 0.018092046 Base.precompile(Tuple{PlusEq{typeof(tan)},Float64,Float64}) # time: 0.015275044 Base.precompile(Tuple{typeof(precom_if),Module,Expr,PreInfo}) # time: 0.010871046 Base.precompile(Tuple{MinusEq{typeof(^)},Union{Float64, ComplexF64},Union{Float64, ComplexF64},Union{Float64, ComplexF64}}) # time: 0.010170748 Base.precompile(Tuple{PlusEq{typeof(*)},Float64,Float64,Vararg{Float64, N} where N}) # time: 0.007921303 Base.precompile(Tuple{PlusEq{typeof(+)},Float64,Float64,Vararg{Float64, N} where N}) # time: 0.00782437 Base.precompile(Tuple{typeof(_isconst),Expr}) # time: 0.007764913 Base.precompile(Tuple{typeof(swapvars!),SymbolTable,Expr,Expr}) # time: 0.007498742 Base.precompile(Tuple{typeof(Base.show_function),IOContext{IOBuffer},PlusEq{typeof(angle)},Bool}) # time: 0.007020253 Base.precompile(Tuple{typeof(precom_opm),Symbol,Expr,Int64}) # time: 0.006372358 Base.precompile(Tuple{typeof(precom_opm),Symbol,Symbol,Int64}) # time: 0.006353995 Base.precompile(Tuple{typeof(Base.show_function),IOContext{IOBuffer},PlusEq{typeof(abs)},Bool}) # time: 0.005321797 Base.precompile(Tuple{typeof(unzipped_broadcast),PlusEq{typeof(*)},Vector{Float64},Vector{Float64},Vector{Float64}}) # time: 0.005210431 Base.precompile(Tuple{typeof(isreversible),Function,Type{Tuple{Number, Any, Any}}}) # time: 0.003735743 Base.precompile(Tuple{typeof(removedot),Symbol}) # time: 0.003666485 Base.precompile(Tuple{PlusEq{typeof(*)},Float64,Int64,Vararg{Any, N} where N}) # time: 0.003475684 Base.precompile(Tuple{MinusEq{typeof(*)},Float64,Int64,Vararg{Any, N} where N}) # time: 0.003429493 Base.precompile(Tuple{PlusEq{typeof(*)},Float64,Float64,Vararg{Any, N} where N}) # time: 0.002768054 Base.precompile(Tuple{MinusEq{typeof(*)},Float64,Float64,Vararg{Any, N} where N}) # time: 0.002728645 Base.precompile(Tuple{typeof(assign_vars),SubArray{Any, 1, Vector{Any}, Tuple{UnitRange{Int64}}, true},Expr,Bool}) # time: 0.00237789 Base.precompile(Tuple{typeof(unzipped_broadcast),MinusEq{typeof(*)},Vector{Float64},Vector{Float64},Vector{Float64}}) # time: 0.002377491 Base.precompile(Tuple{typeof(almost_same),Tuple{Float64, Float64, Vector{Float64}, Vector{Float64}},Tuple{Float64, Float64, Vector{Float64}, Vector{Float64}}}) # time: 0.002303422 Base.precompile(Tuple{typeof(unzipped_broadcast),MinusEq{typeof(identity)},Vector{Float64},Vector{Float64}}) # time: 0.00225225 Base.precompile(Tuple{typeof(dual_swap),Expr,Expr}) # time: 0.002167955 Base.precompile(Tuple{PlusEq{typeof(sin)},ComplexF64,ComplexF64}) # time: 0.002135965 Base.precompile(Tuple{typeof(whilestatement),Expr,Expr,Vector{Any},CompileInfo}) # time: 0.001927632 Base.precompile(Tuple{typeof(variable_analysis_ex),LineNumberNode,SymbolTable}) # time: 0.001729012 Base.precompile(Tuple{typeof(compile_ex),Module,LineNumberNode,CompileInfo}) # time: 0.001608265 Base.precompile(Tuple{typeof(assign_ex),Int64,Expr,Bool}) # time: 0.001299157 Base.precompile(Tuple{typeof(_pop_value),Expr}) # time: 0.001298544 Base.precompile(Tuple{typeof(assign_ex),Symbol,Symbol,Bool}) # time: 0.001287453 Base.precompile(Tuple{typeof(assign_ex),Float64,Expr,Bool}) # time: 0.001275525 Base.precompile(Tuple{MinusEq{typeof(/)},Float64,Float64,Vararg{Any, N} where N}) # time: 0.001080575 Base.precompile(Tuple{typeof(_push_value),Expr,Expr,Bool}) # time: 0.00106306 Base.precompile(Tuple{MinusEq{typeof(*)},Float64,Float64,Vararg{Float64, N} where N}) # time: 0.001049093 Base.precompile(Tuple{PlusEq{typeof(/)},Float64,Float64,Vararg{Any, N} where N}) # time: 0.00102371 end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/preprocess.jl
code
7899
export precom # precompiling information struct PreInfo routines::Vector{Any} end PreInfo() = PreInfo([]) """ precom(module, ex) Precompile a function, returns a tuple of (macros, function name, arguments, type parameters, function body). """ function precom(m::Module, ex) mc, fname, args, ts, body = match_function(ex) vars = Symbol[] newargs = map(args) do arg @match arg begin :(::$tp)=>Expr(:(::), gensym(), tp) _ => arg end end for arg in newargs pushvar!(vars, arg) end info = PreInfo() body_out = precom_body(m, body, info) if !isempty(info.routines) error("`@routine` and `~@routine` must appear in pairs, mising `~@routine`!") end st = SymbolTable(vars, Symbol[], Symbol[]) st_after = copy(st) variable_analysis_ex.(body_out, Ref(st_after)) checksyms(st_after, st) mc, fname, newargs, ts, body_out end function precom_body(m::Module, body::AbstractVector, info) Any[precom_ex(m, ex, info) for ex in body] end # precompile `+=`, `-=`, `*=` and `/=` function precom_opm(f, out, arg2) if f in [:(+=), :(-=), :(*=), :(/=)] @match arg2 begin :($x |> $view) => Expr(f, out, :(identity($arg2))) :($subf($(subargs...))) => Expr(f, out, arg2) _ => Expr(f, out, :(identity($arg2))) end elseif f in [:(.+=), :(.-=), :(.*=), :(./=)] @match arg2 begin :($x |> $view) || :($x .|> $view) => Expr(f, out, :(identity.($arg2))) :($subf.($(subargs...))) => Expr(f, out, arg2) :($subf($(subargs...))) => Expr(f, out, arg2) _ => Expr(f, out, :(identity.($arg2))) end end end # precompile `⊻=` function precom_ox(f, out, arg2) if f == :(⊻=) @match arg2 begin :($x |> $view) => Expr(f, out, :(identity($arg2))) :($subf($(subargs...))) || :($a || $b) || :($a && $b) => Expr(f, out, arg2) _ => Expr(f, out, :(identity($arg2))) end elseif f == :(.⊻=) @match arg2 begin :($x |> $view) || :($x .|> $view) => Expr(f, out, :(identity.($arg2))) :($subf.($(subargs...))) => Expr(f, out, arg2) :($subf($(subargs...))) => Expr(f, out, arg2) _ => Expr(f, out, :(identity.($arg2))) end end end """ precom_ex(module, ex, info) Precompile a single statement `ex`, where `info` is a `PreInfo` instance. """ function precom_ex(m::Module, ex, info) @match ex begin :($x ← $val) || :($x β†’ $val) => ex :($x ↔ $y) => ex :($(xs...), $y ← $val) => precom_ex(m, :(($(xs...), $y) ← $val), info) :($(xs...), $y β†’ $val) => precom_ex(m, :(($(xs...), $y) β†’ $val), info) :($a += $b) => precom_opm(:+=, a, b) :($a -= $b) => precom_opm(:-=, a, b) :($a *= $b) => precom_opm(:*=, a, b) :($a /= $b) => precom_opm(:/=, a, b) :($a ⊻= $b) => precom_ox(:⊻=, a, b) :($a .+= $b) => precom_opm(:.+=, a, b) :($a .-= $b) => precom_opm(:.-=, a, b) :($a .*= $b) => precom_opm(:.*=, a, b) :($a ./= $b) => precom_opm(:./=, a, b) :($a .⊻= $b) => precom_ox(:.⊻=, a, b) Expr(:if, _...) => precom_if(m, copy(ex), info) :(while ($pre, $post); $(body...); end) => begin post = post == :~ ? pre : post info = PreInfo() Expr(:while, :(($pre, $post)), Expr(:block, precom_body(m, body, info)...)) end :(@from $line $post while $pre; $(body...); end) => precom_ex(m, Expr(:while, :(($pre, !$post)), ex.args[4].args[2]), info) :(begin $(body...) end) => begin Expr(:block, precom_body(m, body, info)...) end # TODO: allow ommit step. :(for $i=$range; $(body...); end) || :(for $i in $range; $(body...); end) => begin info = PreInfo() Expr(:for, :($i=$(precom_range(range))), Expr(:block, precom_body(m, body, info)...)) end :(@safe $line $subex) => ex :(@cuda $line $(args...)) => ex :(@launchkernel $line $(args...)) => ex :(@inbounds $line $subex) => Expr(:macrocall, Symbol("@inbounds"), line, precom_ex(m, subex, info)) :(@simd $line $subex) => Expr(:macrocall, Symbol("@simd"), line, precom_ex(m, subex, info)) :(@threads $line $subex) => Expr(:macrocall, Symbol("@threads"), line, precom_ex(m, subex, info)) :(@avx $line $subex) => Expr(:macrocall, Symbol("@avx"), line, precom_ex(m, subex, info)) :(@invcheckoff $line $subex) => Expr(:macrocall, Symbol("@invcheckoff"), line, precom_ex(m, subex, info)) :(@routine $line $expr) => begin precode = precom_ex(m, expr, info) push!(info.routines, precode) precode end :(~(@routine $line)) => begin if isempty(info.routines) error("`@routine` and `~@routine` must appear in pairs, mising `@routine`!") end precom_ex(m, dual_ex(m, pop!(info.routines)), info) end # 1. precompile to expand macros # 2. get dual expression # 3. precompile to analyze vaiables :(~$expr) => precom_ex(m, dual_ex(m, precom_ex(m, expr, PreInfo())), info) :($f($(args...))) => :($f($(args...))) :($f.($(args...))) => :($f.($(args...))) :(nothing) => ex Expr(:macrocall, _...) => precom_ex(m, macroexpand(m, ex), info) ::LineNumberNode => ex ::Nothing => ex _ => error("unsupported statement: $ex") end end precom_range(range) = @match range begin _ => range end function precom_if(m, ex, exinfo) _expand_cond(cond) = @match cond begin :(($pre, ~)) => :(($pre, $pre)) :(($pre, $post)) => :(($pre, $post)) :($pre) => :(($pre, $pre)) end if ex.head == :if ex.args[1] = _expand_cond(ex.args[1]) elseif ex.head == :elseif ex.args[1].args[2] = _expand_cond(ex.args[1].args[2]) end info = PreInfo() ex.args[2] = Expr(:block, precom_body(m, ex.args[2].args, info)...) if length(ex.args) == 3 if ex.args[3].head == :elseif ex.args[3] = precom_if(m, ex.args[3], exinfo) elseif ex.args[3].head == :block info = PreInfo() ex.args[3] = Expr(:block, precom_body(m, ex.args[3].args, info)...) else error("unknown statement following `if` $ex.") end end ex end export @code_preprocess """ @code_preprocess ex Preprocess `ex` and return the symmetric reversible IR. ```jldoctest; setup=:(using NiLangCore) julia> NiLangCore.rmlines(@code_preprocess if (x < 3, ~) x += exp(3.0) end) :(if (x < 3, x < 3) x += exp(3.0) end) ``` """ macro code_preprocess(ex) QuoteNode(precom_ex(__module__, ex, PreInfo())) end precom_ex(m::Module, ex) = precom_ex(m, ex, PreInfo()) # push a new variable to variable set `x`, for allocating `target` function pushvar!(x::Vector{Symbol}, target) @match target begin ::Symbol => begin if target in x throw(InvertibilityError("Symbol `$target` should not be used as the allocation target, it is an existing variable in the current scope.")) else push!(x, target) end end :(($(tar...),)) => begin for t in tar pushvar!(x, t) end end :($tar = _) => pushvar!(x, tar) :($tar...) => pushvar!(x, tar) :($tar::$tp) => pushvar!(x, tar) Expr(:parameters, targets...) => begin for tar in targets pushvar!(x, tar) end end Expr(:kw, tar, val) => begin pushvar!(x, tar) end _ => error("unknown variable expression $(target)") end nothing end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/stack.jl
code
1837
export FastStack, GLOBAL_STACK, FLOAT64_STACK, FLOAT32_STACK, COMPLEXF64_STACK, COMPLEXF32_STACK, BOOL_STACK, INT64_STACK, INT32_STACK const GLOBAL_STACK = [] struct FastStack{T} data::Vector{T} top::Base.RefValue{Int} end function FastStack{T}(n::Int) where T FastStack{T}(Vector{T}(undef, n), Ref(0)) end function FastStack(n::Int) where T FastStack{Any}(Vector{Any}(undef, n), Ref(0)) end Base.show(io::IO, x::FastStack{T}) where T = print(io, "FastStack{$T}($(x.top[])/$(length(x.data)))") Base.show(io::IO, ::MIME"text/plain", x::FastStack{T}) where T = show(io, x) Base.length(stack::FastStack) = stack.top[] Base.empty!(stack::FastStack) = (stack.top[] = 0; stack) @inline function Base.push!(stack::FastStack, val) stack.top[] += 1 @boundscheck stack.top[] <= length(stack.data) || throw(BoundsError(stack, stack.top[])) stack.data[stack.top[]] = val return stack end @inline function Base.pop!(stack::FastStack) @boundscheck stack.top[] > 0 || throw(BoundsError(stack, stack.top[])) val = stack.data[stack.top[]] stack.top[] -= 1 return val end # default stack size is 10^6 (~8M for Float64) let empty_exprs = Expr[:($empty!($GLOBAL_STACK))] for DT in [:Float64, :Float32, :ComplexF64, :ComplexF32, :Int64, :Int32, :Bool] STACK = Symbol(uppercase(String(DT)), :_STACK) @eval const $STACK = FastStack{$DT}(1000000) # allow in-stack and out-stack different, to support loading data to GVar. push!(empty_exprs, Expr(:call, empty!, STACK)) end @eval function empty_global_stacks!() $(empty_exprs...) end end """ loaddata(t, x) load data `x`, matching type `t`. """ loaddata(::Type{T}, x::T) where T = x loaddata(::Type{T1}, x::T) where {T1,T} = convert(T1,x) loaddata(::T1, x::T) where {T1,T} = loaddata(T1, x)
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/symboltable.jl
code
4127
# * existing: the ancillas and input arguments in the local scope. # They should be protected to avoid duplicated allocation. # * deallocated: the ancillas removed. # They should be recorded to avoid using after deallocation. # * unclassified: the variables from global scope. # They can not be allocation target. struct SymbolTable existing::Vector{Symbol} deallocated::Vector{Symbol} unclassified::Vector{Symbol} end function SymbolTable() SymbolTable(Symbol[], Symbol[], Symbol[]) end Base.copy(st::SymbolTable) = SymbolTable(copy(st.existing), copy(st.deallocated), copy(st.unclassified)) # remove a variable from a list function removevar!(lst::AbstractVector, var) index = findfirst(==(var), lst) deleteat!(lst, index) end # replace a variable in a list with target variable function replacevar!(lst::AbstractVector, var, var2) index = findfirst(==(var), lst) lst[index] = var2 end # allocate a new variable function allocate!(st::SymbolTable, var::Symbol) if var ∈ st.existing throw(InvertibilityError("Repeated allocation of variable `$(var)`")) elseif var ∈ st.deallocated removevar!(st.deallocated, var) push!(st.existing, var) elseif var ∈ st.unclassified throw(InvertibilityError("Variable `$(var)` used before allocation.")) else push!(st.existing, var) end nothing end # find the list containing var function findlist(st::SymbolTable, var::Symbol) if var ∈ st.existing return st.existing elseif var ∈ st.unclassified return st.unclassified elseif var in st.deallocated return st.deallocated else return nothing end end # using a variable function operate!(st::SymbolTable, var::Symbol) if var ∈ st.existing || var ∈ st.unclassified elseif var ∈ st.deallocated throw(InvertibilityError("Operating on deallocate variable `$(var)`")) else push!(st.unclassified, var::Symbol) end nothing end # deallocate a variable function deallocate!(st::SymbolTable, var::Symbol) if var ∈ st.deallocated throw(InvertibilityError("Repeated deallocation of variable `$(var)`")) elseif var ∈ st.existing removevar!(st.existing, var) push!(st.deallocated, var) elseif var ∈ st.unclassified throw(InvertibilityError("Deallocating an external variable `$(var)`")) else throw(InvertibilityError("Deallocating an external variable `$(var)`")) end nothing end # check symbol table to make sure there is symbols introduced in the local scope that has not yet deallocated. # `a` is the symbol table after running local scope, `b` is the symbol table before running the local scope. function checksyms(a::SymbolTable, b::SymbolTable=SymbolTable()) diff = setdiff(a.existing, b.existing) if !isempty(diff) error("Some variables not deallocated correctly: $diff") end end function swapsyms!(st::SymbolTable, var1::Symbol, var2::Symbol) lst1 = findlist(st, var1) lst2 = findlist(st, var2) if lst1 !== nothing && lst2 !== nothing # exchange variables i1 = findfirst(==(var1), lst1) i2 = findfirst(==(var2), lst2) lst2[i2], lst1[i1] = lst1[i1], lst2[i2] elseif lst1 !== nothing replacevar!(lst1, var1, var2) operate!(st, var1) elseif lst2 !== nothing replacevar!(lst2, var2, var1) operate!(st, var2) else operate!(st, var1) operate!(st, var2) end end function swapsyms_asymetric!(st::SymbolTable, var1s::Vector, var2::Symbol) length(var1s) == 0 && return lst1 = findlist(st, var1s[1]) for k=2:length(var1s) if findlist(st, var1s[k]) !== lst1 error("variable status not aligned: $var1s") end end lst2 = findlist(st, var2) if lst1 !== nothing removevar!.(Ref(lst1), var1s) push!(lst1, var2) else operate!(st, var2) end if lst2 !== nothing removevar!(lst2, var2) push!.(Ref(lst2),var1s) else operate!.(Ref(st), var1s) end end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/utils.jl
code
4048
const GLOBAL_ATOL = Ref(1e-8) ########### macro tools ############# startwithdot(sym::Symbol) = string(sym)[1] == '.' startwithdot(sym::Expr) = false startwithdot(sym) = false function removedot(f) string(f)[1] == '.' || error("$f is not a broadcasting.") Symbol(string(f)[2:end]) end """ get_argname(ex) Return the argument name of a function argument expression, e.g. `x::Float64 = 4` gives `x`. """ function get_argname(fname) @match fname begin ::Symbol => fname :($x::$t) => x :($x::$t=$y) => x :($x=$y) => x :($x...) => :($x...) :($x::$t...) => :($x...) Expr(:parameters, args...) => fname _ => error("can not get the function name of expression $fname.") end end """ match_function(ex) Analyze a function expression, returns a tuple of `(macros, function name, arguments, type parameters (in where {...}), statements in the body)` """ function match_function(ex) @match ex begin :(function $(fname)($(args...)) $(body...) end) || :($fname($(args...)) = $(body...)) => (nothing, fname, args, [], body) Expr(:function, :($fname($(args...)) where {$(ts...)}), xbody) => (nothing, fname, args, ts, xbody.args) Expr(:macrocall, mcname, line, fdef) => ([mcname, line], match_function(fdef)[2:end]...) _ => error("must input a function, got $ex") end end """ rmlines(ex::Expr) Remove line number nodes for pretty printing. """ rmlines(ex::Expr) = begin hd = ex.head if hd == :macrocall Expr(:macrocall, ex.args[1], nothing, rmlines.(ex.args[3:end])...) else tl = Any[rmlines(ex) for ex in ex.args if !(ex isa LineNumberNode)] Expr(hd, tl...) end end rmlines(@nospecialize(a)) = a ########### ordered dict ############### struct MyOrderedDict{TK,TV} keys::Vector{TK} vals::Vector{TV} end function MyOrderedDict{K,V}() where {K,V} MyOrderedDict(K[], V[]) end function Base.setindex!(d::MyOrderedDict, val, key) ind = findfirst(x->x===key, d.keys) if ind isa Nothing push!(d.keys, key) push!(d.vals, val) else @inbounds d.vals[ind] = val end return d end function Base.getindex(d::MyOrderedDict, key) ind = findfirst(x->x===key, d.keys) if ind isa Nothing throw(KeyError(ind)) else return d.vals[ind] end end function Base.delete!(d::MyOrderedDict, key) ind = findfirst(x->x==key, d.keys) if ind isa Nothing throw(KeyError(ind)) else deleteat!(d.vals, ind) deleteat!(d.keys, ind) end end Base.length(d::MyOrderedDict) = length(d.keys) function Base.pop!(d::MyOrderedDict) k = pop!(d.keys) v = pop!(d.vals) k, v end Base.isempty(d::MyOrderedDict) = length(d.keys) == 0 ########### broadcasting ############### """ unzipped_broadcast(f, args...) unzipped broadcast for arrays and tuples, e.g. `SWAP.([1,2,3], [4,5,6])` will do inplace element-wise swap, and return `[4,5,6], [1,2,3]`. """ unzipped_broadcast(f) = error("must provide at least one argument in broadcasting!") function unzipped_broadcast(f, arg::AbstractArray; kwargs...) arg .= f.(arg) end function unzipped_broadcast(f, arg::Tuple; kwargs...) f.(arg) end @generated function unzipped_broadcast(f, args::Vararg{<:AbstractArray,N}; kwargs...) where N argi = [:(args[$k][i]) for k=1:N] quote for i = 1:same_length(args) ($(argi...),) = f($(argi...); kwargs...) end return args end end @generated function unzipped_broadcast(f, args::Vararg{<:Tuple,N}; kwargs...) where N quote same_length(args) res = map(f, args...) ($([:($getindex.(res, $i)) for i=1:N]...),) end end function same_length(args) length(args) == 0 && error("can not broadcast over an empty set of arguments.") l = length(args[1]) for j=2:length(args) @assert l == length(args[j]) "length of arguments should be the same `$(length(args[j])) != $l`" end return l end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/variable_analysis.jl
code
10585
function variable_analysis_ex(ex, syms::SymbolTable) use!(x) = usevar!(syms, x) allocate!(x) = allocatevar!(syms, x) deallocate!(x) = deallocatevar!(syms, x) @match ex begin :($x[$key] ← $val) || :($x[$key] β†’ $val) => (use!(x); use!(key); use!(val)) :($x ← $val) => allocate!(x) :($x β†’ $val) => deallocate!(x) :($x ↔ $y) => swapvars!(syms, x, y) :($a += $f($(b...))) || :($a -= $f($(b...))) || :($a *= $f($(b...))) || :($a /= $f($(b...))) || :($a .+= $f($(b...))) || :($a .-= $f($(b...))) || :($a .*= $f($(b...))) || :($a ./= $f($(b...))) || :($a .+= $f.($(b...))) || :($a .-= $f.($(b...))) || :($a .*= $f.($(b...))) || :($a ./= $f.($(b...))) => begin ex.args[1] = render_arg(a) b .= render_arg.(b) use!(a) use!.(b) check_args(Any[a, b...]) end :($a ⊻= $f($(b...))) || :($a .⊻= $f($(b...))) || :($a .⊻= $f.($(b...))) => begin ex.args[1] = render_arg(a) b .= render_arg.(b) use!(a) use!(b) end :($a ⊻= $b || $c) || :($a ⊻= $b && $c) => begin ex.args[1] = render_arg(a) ex.args[2].args .= render_arg.(ex.args[2].args) use!(a) use!(b) end Expr(:if, _...) => variable_analysis_if(ex, syms) :(while $condition; $(body...); end) => begin julia_usevar!(syms, condition) localsyms = SymbolTable(Symbol[], copy(syms.deallocated), Symbol[]) variable_analysis_ex.(body, Ref(localsyms)) checksyms(localsyms) end :(begin $(body...) end) => begin variable_analysis_ex.(body, Ref(syms)) end # TODO: allow ommit step. :(for $i=$range; $(body...); end) => begin julia_usevar!(syms, range) localsyms = SymbolTable(Symbol[], copy(syms.deallocated), Symbol[]) variable_analysis_ex.(body, Ref(localsyms)) checksyms(localsyms) ex end :(@safe $line $subex) => julia_usevar!(syms, subex) :(@cuda $line $(args...)) => variable_analysis_ex(args[end], syms) :(@launchkernel $line $(args...)) => variable_analysis_ex(args[end], syms) :(@inbounds $line $subex) => variable_analysis_ex(subex, syms) :(@simd $line $subex) => variable_analysis_ex(subex, syms) :(@threads $line $subex) => variable_analysis_ex(subex, syms) :(@avx $line $subex) => variable_analysis_ex(subex, syms) :(@invcheckoff $line $subex) => variable_analysis_ex(subex, syms) # 1. precompile to expand macros # 2. get dual expression # 3. precompile to analyze vaiables :($f($(args...))) => begin args .= render_arg.(args) check_args(args) use!.(args) end :($f.($(args...))) => begin args .= render_arg.(args) check_args(args) use!.(args) end :(nothing) => nothing ::LineNumberNode => nothing ::Nothing => nothing _ => error("unsupported statement: $ex") end end function variable_analysis_if(ex, exsyms) syms = copy(exsyms) julia_usevar!(exsyms, ex.args[1]) variable_analysis_ex.(ex.args[2].args, Ref(exsyms)) checksyms(exsyms, syms) if length(ex.args) == 3 if ex.args[3].head == :elseif variable_analysis_if(ex.args[3], exsyms) elseif ex.args[3].head == :block syms = copy(exsyms) variable_analysis_ex.(ex.args[3].args, Ref(exsyms)) checksyms(exsyms, syms) else error("unknown statement following `if` $ex.") end end end usevar!(syms::SymbolTable, arg) = @match arg begin ::Number || ::String => nothing ::Symbol => _isconst(arg) || operate!(syms, arg) :(@skip! $line $x) => julia_usevar!(syms, x) :($x.$k) => usevar!(syms, x) :($a |> subarray($(ranges...))) => (usevar!(syms, a); julia_usevar!.(Ref(syms), ranges)) :($x |> tget($f)) || :($x |> $f) || :($x .|> $f) || :($x::$f) => (usevar!(syms, x); julia_usevar!(syms, f)) :($x') || :(-$x) => usevar!(syms, x) :($t{$(p...)}($(args...))) => begin usevar!(syms, t) usevar!.(Ref(syms), p) usevar!.(Ref(syms), args) end :($a[$(x...)]) => begin usevar!(syms, a) usevar!.(Ref(syms), x) end :(($(args...),)) => usevar!.(Ref(syms), args) _ => julia_usevar!(syms, arg) end julia_usevar!(syms::SymbolTable, ex) = @match ex begin ::Symbol => _isconst(ex) || operate!(syms, ex) :($a:$b:$c) => julia_usevar!.(Ref(syms), [a, b, c]) :($a:$c) => julia_usevar!.(Ref(syms), [a, c]) :($a && $b) || :($a || $b) || :($a[$b]) => julia_usevar!.(Ref(syms), [a, b]) :($a.$b) => julia_usevar!(syms, a) :(($(v...),)) || :(begin $(v...) end) => julia_usevar!.(Ref(syms), v) :($f($(v...))) || :($f[$(v...)]) => begin julia_usevar!(syms, f) julia_usevar!.(Ref(syms), v) end :($args...) => julia_usevar!(syms, args) Expr(:parameters, targets...) => julia_usevar!.(Ref(syms), targets) Expr(:kw, tar, val) => julia_usevar!(syms, val) ::LineNumberNode => nothing _ => nothing end # push a new variable to variable set `x`, for allocating `target` allocatevar!(st::SymbolTable, target) = @match target begin ::Symbol => allocate!(st, target) :(($(tar...),)) => begin for t in tar allocatevar!(st, t) end end :($tar = $y) => allocatevar!(st, y) :($tar...) => allocatevar!(st, tar) :($tar::$tp) => allocatevar!(st, tar) Expr(:parameters, targets...) => begin for tar in targets allocatevar!(st, tar) end end Expr(:kw, tar, val) => begin allocatevar!(st, tar) end _ => _isconst(target) || error("unknown variable expression $(target)") end # pop a variable from variable set `x`, for deallocating `target` deallocatevar!(st::SymbolTable, target) = @match target begin ::Symbol => deallocate!(st, target) :(($(tar...),)) => begin for t in tar deallocatevar!(st, t) end end _ => error("unknow variable expression $(target)") end function swapvars!(st::SymbolTable, x, y) e1 = isemptyvar(x) e2 = isemptyvar(y) # check assersion for (e, v) in ((e1, x), (e2, y)) e && dosymbol(v) do sv if sv ∈ st.existing || sv ∈ st.unclassified throw(InvertibilityError("can not assert variable to empty: $v")) end end end if e1 && e2 elseif e1 && !e2 dosymbol(sx -> allocate!(st, sx), x) dosymbol(sy -> deallocate!(st, sy), y) usevar!(st, x) elseif !e1 && e2 dosymbol(sx -> deallocate!(st, sx), x) dosymbol(sy -> allocate!(st, sy), y) usevar!(st, y) else # both are nonempty sx = dosymbol(identity, x) sy = dosymbol(identity, y) if sx === nothing || sy === nothing # e.g. x.y ↔ k.c usevar!(st, x) usevar!(st, y) elseif sx isa Symbol && sy isa Symbol # e.g. x ↔ y swapsyms!(st, sx, sy) elseif sx isa Vector && sy isa Vector # e.g. (x, y) ↔ (a, b) @assert length(sx) == length(sy) swapsyms!.(Ref(st), sx, sy) elseif sx isa Vector && sy isa Symbol # e.g. (x, y) ↔ args swapsyms_asymetric!(st, sx, sy) elseif sx isa Symbol && sy isa Vector # e.g. args ↔ (x, y) swapsyms_asymetric!(st, sy, sx) end end end isemptyvar(ex) = @match ex begin :($x[end+1]) => true :($x::βˆ…) => true _ => false end dosymbol(f, ex) = @match ex begin x::Symbol => f(x) :(@fields $line $sym) => dosymbol(f, sym) :($x::$T) => dosymbol(f, x) :(($(args...),)) => dosymbol.(Ref(f), args) _ => nothing end _isconst(x) = @match x begin ::Symbol => x ∈ Symbol[:im, :Ο€, :Float64, :Float32, :Int, :Int64, :Int32, :Bool, :UInt8, :String, :Char, :ComplexF64, :ComplexF32, :(:), :end, :nothing] ::QuoteNode || ::Bool || ::Char || ::Number || ::String => true :($f($(args...))) => all(_isconst, args) :(@const $line $ex) => true _ => false end # avoid share read/write function check_args(args) args_kernel = [] for i=1:length(args) out = memkernel(args[i]) if out isa Vector for o in out if o !== nothing push!(args_kernel, o) end end elseif out !== nothing push!(args_kernel, out) end end # error on shared read or shared write. for i=1:length(args_kernel) for j in i+1:length(args_kernel) if args_kernel[i] == args_kernel[j] throw(InvertibilityError("$i-th argument and $j-th argument shares the same memory $(args_kernel[i]), shared read and shared write are not allowed!")) end end end end # Returns the memory `identifier`, it is used to avoid shared read/write. memkernel(ex) = @match ex begin ::Symbol => ex :(@const $line $x) => memkernel(x) :($a |> subarray($(inds...))) || :($a[$(inds...)]) => :($(memkernel(a))[$(inds...)]) :($x.$y) => :($(memkernel(x)).$y) :($a |> tget($x)) => :($(memkernel(a))[$x]) :($x |> $f) || :($x .|> $f) || :($x') || :(-$x) || :($x...) => memkernel(x) :($t{$(p...)}($(args...))) || :(($(args...),)) => memkernel.(args) _ => nothing # Julia scope, including `@skip!`, `f(x)` et. al. end # Modify the argument, e.g. `x.[1,3:5]` is rendered as `x |> subarray(1,3:5)`. render_arg(ex) = @match ex begin ::Symbol => ex :(@skip! $line $x) => ex :(@const $line $x) => Expr(:macrocall, Symbol("@const"), line, render_arg(x)) :($a.[$(inds...)]) => :($(render_arg(a)) |> subarray($(inds...))) :($a |> subarray($(inds...))) => :($(render_arg(a)) |> subarray($(inds...))) :($a[$(inds...)]) => :($(render_arg(a))[$(inds...)]) :($x.$y) => :($(render_arg(x)).$y) :($a |> tget($x)) => :($(render_arg(a)) |> tget($x)) :($x |> $f) => :($(render_arg(x)) |> $f) :($x .|> $f) => :($(render_arg(x)) .|> $f) :($x') => :($(render_arg(x))') :(-$x) => :(-$(render_arg(x))) :($ag...) => :($(render_arg(ag))...) :($t{$(p...)}($(args...))) => :($t{($p...)}($(render_arg.(args)...))) :(($(args...),)) => :(($(render_arg.(args)...),)) _ => ex # Julia scope, including `@skip!`, `f(x)` et. al. end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
src/vars.jl
code
1440
using Base.Cartesian export chfield ############# ancillas ################ export @fieldview """ @fieldview fname(x::TYPE) = x.fieldname @fieldview fname(x::TYPE) = x[i] ... Create a function fieldview that can be accessed by a reversible program ```jldoctest; setup=:(using NiLangCore) julia> struct GVar{T, GT} x::T g::GT end julia> @fieldview xx(x::GVar) = x.x julia> chfield(GVar(1.0, 0.0), xx, 2.0) GVar{Float64, Float64}(2.0, 0.0) ``` """ macro fieldview(ex) @match ex begin :($f($obj::$tp) = begin $line; $ex end) => begin xval = gensym("value") esc(Expr(:block, :(Base.@__doc__ $f($obj::$tp) = begin $line; $ex end), :($NiLangCore.chfield($obj::$tp, ::typeof($f), $xval) = $(Expr(:block, assign_ex(ex, xval, false), obj))) )) end _ => error("expect expression `f(obj::type) = obj.prop`, got $ex") end end chfield(a, b, c) = error("chfield($a, $b, $c) not defined!") chfield(x, ::typeof(identity), xval) = xval chfield(x::T, ::typeof(-), y::T) where T = -y chfield(x::T, ::typeof(adjoint), y) where T = adjoint(y) ############ dataview patches ############ export tget, subarray """ tget(i::Int) Get the i-th entry of a tuple. """ tget(i::Int) = x::Tuple -> x[i] """ subarray(ranges...) Get a subarray, same as `view` in Base. """ subarray(args...) = x -> view(x, args...)
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/Core.jl
code
621
using Test, NiLangCore @testset "basic" begin @test ~(~sin) === sin @test ~(~typeof(sin)) === typeof(sin) @test isreflexive(XorEq(NiLangCore.logical_or)) println(XorEq(*)) println(PlusEq(+)) println(MinusEq(-)) println(MulEq(*)) println(DivEq(/)) end @static if VERSION > v"1.5.100" @testset "composite function" begin @i function f1(x) x.:1 += x.:2 end @i function f2(x) x.:2 += cos(x.:1) end @i function f3(x) x.:1 ↔ x.:2 end x = (2.0, 3.0) y = (f3∘f2∘f1)(x) z = (~(f3∘f2∘f1))(y) @show x, z @test all(x .β‰ˆ z) end end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/compiler.jl
code
19887
using NiLangCore using Test using Base.Threads @testset "to_standard_format" begin for (OP, FUNC) in [(:+=, PlusEq), (:-=, MinusEq), (:*=, MulEq), (:/=, DivEq), (:⊻=, XorEq)] @test NiLangCore.to_standard_format(Expr(OP, :x, :y)) == :($FUNC(identity)(x, y)) @test NiLangCore.to_standard_format(Expr(OP, :x, :(sin(y; z=3)))) == :($FUNC(sin)(x, y; z=3)) OPD = Symbol(:., OP) @test NiLangCore.to_standard_format(Expr(OPD, :x, :y)) == :($FUNC(identity).(x, y)) @test NiLangCore.to_standard_format(Expr(OPD, :x, :(sin.(y)))) == :($FUNC(sin).(x, y)) @test NiLangCore.to_standard_format(Expr(OPD, :x, :(y .* z))) == :($FUNC(*).(x, y, z)) end @test NiLangCore.to_standard_format(Expr(:⊻=, :x, :(y && z))) == :($XorEq($(NiLangCore.logical_and))(x, y, z)) @test NiLangCore.to_standard_format(Expr(:⊻=, :x, :(y || z))) == :($XorEq($(NiLangCore.logical_or))(x, y, z)) end @testset "i" begin @i function test1(a::T, b, out) where T<:Number add(a, b) out += a * b end @i function tt(a, b) out ← 0.0 test1(a, b, out) (~test1)(a, b, out) a += b out β†’ 0.0 end # compute (a+b)*b -> out x = 3.0 y = 4.0 out = 0.0 @test isreversible(test1, Tuple{Number, Any, Any}) @test check_inv(test1, (x, y, out)) @test check_inv(tt, (x, y)) @test check_inv(tt, (x, y)) end @testset "if statement 1" begin # compute (a+b)*b -> out @i function test1(a, b, out) add(a, b) if (a > 8, a > 8) out += a*b else end end x = 3 y = 4 out = 0 @instr test1(x, y, out) @test out==0 @test x==7 @instr (~test1)(x, y, out) @test out==0 @test x==3 end @testset "if statement error" begin x = 3 y = 4 out = 0 # compute (a+b)*b -> out @i function test1(a, b, out) add(a, b) if (out < 4, out < 4) out += a*b else end end @test_throws InvertibilityError test1(x, y, out) end @testset "if statement 3" begin x = 3 y = 4 out = 0 @i @inline function test1(a, b, out) add(a, b) if (a > 2, a > 2) out += a*b else end end x = 3 y = 4 out = 0 @instr test1(x, y, out) @test out==28 @instr (~test1)(x, y, out) @test out==0 end @testset "if statement 4" begin @i function test1(a, b, out) add(a, b) if a > 8.0 out += a*b end end @test test1(1.0, 8.0, 0.0)[3] == 72.0 @i function test2(a, b) add(a, b) if a > 8.0 a -= b^2 end end @test_throws InvertibilityError test2(1.0, 8.0) @test_throws LoadError macroexpand(Main, :(@i function test3(a, b) add(a, b) if a > 8.0 a -= b*b end end)) end @testset "for" begin @i function looper(x, y, k) for i=1:1:k x += y end end x = 0.0 y = 1.0 k = 3 @instr looper(x, y, k) @test x == 3 @instr (~looper)(x, y, k) @test x == 0.0 shiba = 18 @i function looper2(x, y, k) for i=1:1:k k += shiba x += y end end @test_throws InvertibilityError looper2(x, y, k) end @testset "while" begin @i function looper(x, y) while (x<100, x>0) x += y end end x = 0.0 y = 9 @instr looper(x, y) @test x == 108 @instr (~looper)(x, y) @test x == 0.0 @i function looper2(x, y) while (x<100, x>-10) x += y end end @test_throws InvertibilityError looper2(x, y) @test_throws LoadError macroexpand(@__MODULE__, :(@i function looper3(x, y) while (x<100, x>0) z ← 0 x += y z += 1 end end)) end @testset "ancilla" begin one, ten = 1, 10 @i function looper(x, y) z ← 0 x += y z += one z -= one z β†’ 0 end x = 0.0 y = 9 @instr looper(x, y) @test x[] == 9 @instr (~looper)(x, y) @test x[] == 0.0 @i function looper2(x, y) z ← 0 x += y z += one z -= ten z β†’ 0 end x = 0.0 y = 9 @test_throws InvertibilityError looper2(x, y) end @testset "broadcast" begin # compute (a+b)*b -> out @i function test1(a, b) a .+= b end x = [3, 1.0] y = [4, 2.0] @instr test1(x, y) @test x == [7, 3.0] @instr (~test1)(x, y) @test x == [3, 1.0] @i function test2(a, b, out) a .+= identity.(b) out .+= (a .* b) end x = Array([3, 1.0]) y = [4, 2.0] out = Array([0.0, 1.0]) @instr test2(x, y, out) @test out==[28, 7] @test check_inv(test2, (x, y, out)) end @testset "broadcast arr" begin @i function f5(x, y, z, a, b) x += y + z b += a + x end @i function f4(x, y, z, a) x += y + z a += y + x end @i function f3(x, y, z) y += x + z end @i function f2(x, y) y += x end @i function f1(x) l ← zero(x) l += x x -= 2 * l l += x l β†’ zero(x) end a = randn(10) b = randn(10) c = randn(10) d = randn(10) e = randn(10) aa = copy(a) @instr f1.(aa) @test aa β‰ˆ -a aa = copy(a) bb = copy(b) @instr f2.(aa, bb) @test aa β‰ˆ a @test bb β‰ˆ b + a aa = copy(a) bb = copy(b) cc = copy(c) @instr f3.(aa, bb, cc) @test aa β‰ˆ a @test bb β‰ˆ b + a + c @test cc β‰ˆ c aa = copy(a) bb = copy(b) cc = copy(c) dd = copy(d) @instr f4.(aa, bb, cc, dd) @test aa β‰ˆ a + b + c @test bb β‰ˆ b @test cc β‰ˆ c @test dd β‰ˆ a + 2b + c + d aa = copy(a) bb = copy(b) cc = copy(c) dd = copy(d) ee = copy(e) @instr f5.(aa, bb, cc, dd, ee) @test aa β‰ˆ a + b + c @test bb β‰ˆ b @test cc β‰ˆ c @test dd β‰ˆ d @test ee β‰ˆ a + b + c + d + e x = randn(5) @test_throws AssertionError @instr x .+= c end @testset "broadcast tuple" begin @i function f5(x, y, z, a, b) x += y + z b += a + x end @i function f4(x, y, z, a) x += y + z a += y + x end @i function f3(x, y, z) y += x + z end @i function f2(x, y) y += x end @i function f1(x) l ← zero(x) l += x x -= 2 * l l += x l β†’ zero(x) end a = (1,2) b = (3,1) c = (6,7) d = (1,11) e = (4,1) aa = a @instr f1.(aa) @test aa == -1 .* a aa = a bb = b @instr f2.(aa, bb) @test aa == a @test bb == b .+ a aa = a bb = b cc = c @instr f3.(aa, bb, cc) @test aa == a @test bb == b .+ a .+ c @test cc == c aa = a bb = b cc = c dd = d @instr f4.(aa, bb, cc, dd) @test aa == a .+ b .+ c @test bb == b @test cc == c @test dd == a .+ 2 .* b .+ c .+ d aa = a bb = b cc = c dd = d ee = e @instr f5.(aa, bb, cc, dd, ee) @test aa == a .+ b .+ c @test bb == b @test cc == c @test dd == d @test ee == a .+ b .+ c .+ d .+ e x = (2,1,5) @test_throws AssertionError @instr x .+= c end @testset "broadcast 2" begin # compute (a+b)*b -> out @i function test1(a, b) a += b end x = [3, 1.0] y = [4, 2.0] @instr test1.(x, y) @test x == [7, 3.0] @instr (~test1).(x, y) @test x == [3, 1.0] @i function test2(a, b, out) add(a, b) out += (a * b) end x = [3, 1.0] y = [4, 2.0] out = [0.0, 1.0] @instr test2.(x, y, out) @test out==[28, 7] @instr (~test2).(x, y, out) @test out==[0, 1.0] args = (x, y, out) @instr test2.(args...) @test args[3]==[28, 7] end @testset "neg sign" begin @i function test(out, x, y) out += x * (-y) end @test check_inv(test, (0.1, 2.0, -2.5); verbose=true) end @testset "@ibounds" begin @i function test(x, y) for i=1:length(x) @inbounds x[i] += y[i] end end @test test([1,2], [2,3]) == ([3,5], [2,3]) end @testset "kwargs" begin @i function test(out, x; y) out += x * (-y) end @test check_inv(test, (0.1, 2.0); y=0.5, verbose=true) end @testset "routines" begin @i function test(out, x) @routine begin out += x end ~@routine end out, x = 0.0, 1.0 @instr test(out, x) @test out == 0.0 end @testset "inverse a prog" begin @i function test(out, x) ~(out += x; out += x) ~for i=1:3 out += x end end out, x = 0.0, 1.0 @test check_inv(test, (out, x)) @instr test(out, x) @test out == -5.0 end @testset "invcheck" begin @i function test(out, x) anc ← 0 @invcheckoff for i=1:x[] x[] -= 1 end @invcheckoff while (anc<3, anc<3) anc += 1 end out += anc @invcheckoff anc β†’ 0 end res = test(0, Ref(7)) @test res[1] == 3 @test res[2][] == 0 end @testset "nilang ir" begin ex = :( @inline function f(x!::T, y) where T anc ← zero(T) @routine anc += x! x! += y * anc ~@routine anc β†’ zero(T) end ) ex2 = :( @inline function f(x!::T, y) where T anc ← zero(T) anc += identity(x!) x! += y * anc anc -= identity(x!) anc β†’ zero(T) end) ex3 = :( @inline function (~f)(x!::T, y) where T anc ← zero(T) anc += identity(x!) x! -= y * anc anc -= identity(x!) anc β†’ zero(T) end) @test nilang_ir(@__MODULE__, ex) |> NiLangCore.rmlines == ex2 |> NiLangCore.rmlines @test nilang_ir(@__MODULE__, ex; reversed=true) |> NiLangCore.rmlines == ex3 |> NiLangCore.rmlines end @testset "protectf" begin struct C<:Function end # protected @i function (a::C)(x) @safe @show a if (protectf(a) isa Inv, ~) add(x, 1.0) else sub(x, 1.0) end end a = C() @test (~a)(a(1.0)) == 1.0 # not protected @i function (a::C)(x) @safe @show a if (a isa Inv, ~) add(x, 1.0) else sub(x, 1.0) end end @test (~a)(a(1.0)) == -1.0 end @testset "ifelse statement" begin @i function f(x, y) if (x > 0, ~) y += 1 elseif (x < 0, ~) y += 2 else y += 3 end end @test f(1, 0) == (1, 1) @test f(-2, 0) == (-2, 2) @test f(0, 0) == (0, 3) @i function f2(x, y) if (x > 0, x < 0) y += 1 elseif (x < 0, x < 0) y += 2 else y += 3 end end @test_throws InvertibilityError f2(-1, 0) end @testset "skip!" begin x = 0.4 @instr (@skip! 3) += x @test x == 0.4 y = 0.3 @instr x += @const y @test x == 0.7 @test y == 0.3 end @testset "for x in range" begin @i function f(x, y) for item in y x += item end end @test check_inv(f, (0.0, [1,2,5])) end @testset "@simd and @threads" begin @i function f(x) @threads for i=1:length(x) x[i] += 1 end end x = [1,2,3] @test f(x) == [2,3,4] @i function f2(x) @simd for i=1:length(x) x[i] += 1 end end x = [1,2,3] @test f2(x) == [2,3,4] end @testset "xor over ||" begin x = false @instr x ⊻= true || false @test x @instr x ⊻= true && false @test x end macro zeros(T, x, y) esc(:($x ← zero($T); $y ← zero($T))) end @testset "macro" begin @i function f(x) @zeros Float64 a b x += a * b ~@zeros Float64 a b end @test f(3.0) == 3.0 end @testset "allow nothing pass" begin @i function f(x) nothing end @test f(2) == 2 end @testset "ancilla check" begin ex1 = :(@i function f(x) x ← 0 end) @test_throws LoadError macroexpand(Main, ex1) ex2 = :(@i function f(x) y ← 0 y ← 0 end) @test_throws LoadError macroexpand(Main, ex2) ex3 = :(@i function f(x) y ← 0 y β†’ 0 end) @test macroexpand(Main, ex3) isa Expr ex4 = :(@i function f(x; y=5) y ← 0 end) @test_throws LoadError macroexpand(Main, ex4) ex5 = :(@i function f(x) y β†’ 0 end) @test_throws LoadError macroexpand(Main, ex5) ex6 = :(@i function f(x::Int) y ← 0 y β†’ 0 end) @test macroexpand(Main, ex6) isa Expr ex7 = :(@i function f(x::Int) if x>3 y ← 0 y β†’ 0 elseif x<-3 y ← 0 y β†’ 0 else y ← 0 y β†’ 0 end end) @test macroexpand(Main, ex7) isa Expr ex8 = :(@i function f(x; y=5) z ← 0 z β†’ 0 end) @test macroexpand(Main, ex8) isa Expr ex9 = :(@i function f(x; y) z ← 0 z β†’ 0 end) @test macroexpand(Main, ex9) isa Expr ex10 = :(@i function f(x; y) begin z ← 0 end ~begin z ← 0 end end) @test macroexpand(Main, ex10) isa Expr end @testset "dict access" begin d = Dict(3=>4) @instr d[3] β†’ 4 @instr d[4] ← 3 @test d == Dict(4=>3) @test_throws InvertibilityError @instr d[4] β†’ 5 @test (@instr @invcheckoff d[8] β†’ 5; true) @test_throws InvertibilityError @instr d[4] ← 5 @test (@instr @invcheckoff d[4] ← 5; true) end @testset "@routine,~@routine" begin @test_throws LoadError macroexpand(Main, :(@i function f(x) @routine begin end end)) @test_throws LoadError macroexpand(Main, :(@i function f(x) ~@routine end)) @test macroexpand(Main, :(@i function f(x) @routine begin end ~@routine end)) !== nothing end @testset "@from post while pre" begin @i function f() x ← 5 z ← 0 @from z==0 while x > 0 x -= 1 z += 1 end z β†’ 5 x β†’ 0 end @test f() == () @test (~f)() == () end @testset "argument with function call" begin @test_throws LoadError @macroexpand @i function f(x, y) x += sin(exp(y)) end @i function f(x, y) x += sin(exp(0.4)) + y end end @testset "allocation multiple vars" begin info = NiLangCore.PreInfo() @test NiLangCore.precom_ex(NiLangCore, :(x,y ← var), info) == :((x, y) ← var) @test NiLangCore.precom_ex(NiLangCore, :(x,y β†’ var), info) == :((x, y) β†’ var) @test NiLangCore.precom_ex(NiLangCore, :((x,y) ↔ (a, b)), info) == :((x,y) ↔ (a,b)) @test (@code_reverse (x,y) ← var) == :((x, y) β†’ var) @test (@code_reverse (x,y) β†’ var) == :((x, y) ← var) @test (@code_julia (x,y) ← var) == :((x, y) = var) @test (@code_julia (x,y) β†’ var) == :(try $(NiLangCore.deanc)((x, y), var) catch e $(:(println("deallocate fail `$($(QuoteNode(:((x, y))))) β†’ $(:var)`")) |> NiLangCore.rmlines) throw(e) end) x = randn(2,4) @i function f(y, x) m, n ← size(x) (l, k) ← size(x) y += m*n y += l*k (l, k) β†’ size(x) m, n β†’ size(x) end twosize = f(0, x)[1] @test twosize == 16 @test (~f)(twosize, x)[1] == 0 @i function g(x) (m, n) ← size(x) (m, n) β†’ (7, 5) end @test_throws InvertibilityError g(x) @test_throws InvertibilityError (~g)(x) end @testset "argument without argname" begin @i function f(::Complex) end @test f(1+2im) == 1+2im end @testset "tuple input" begin @i function f(x::Tuple{<:Tuple, <:Real}) f(x.:1) (x.:1).:1 += x.:2 end @i function f(x::Tuple{<:Real, <:Real}) x.:1 += x.:2 end @i function g(data) f(((data.:1, data.:2), data.:3)) end @test g((1,2,3)) == (6,2,3) end @testset "single/zero argument" begin @i function f(x) neg(x) end @i function g(x::Vector) neg.(x) end @test f(3) == -3 @test g([3, 2]) == [-3, -2] x = (3,) @instr f(x...) @test x == (-3,) x = ([3, 4],) @instr f.(x...) @test x == ([-3, -4],) @i function f() end x = () @instr f(x...) @test x == () end @testset "type constructor" begin @i function f(x, y, a, b) add(Complex{}(x, y), Complex{}(a, b)) end @test f(1,2, 3, 4) == (4, 6, 3, 4) @test_throws LoadError macroexpand(NiLangCore, :(@i function f(x, y, a, b) add(Complex(x, y), Complex{}(a, b)) end)) @i function g(x::Inv, y::Inv) add(x.f, y.f) end @i function g(x, y) g(Inv{}(x), Inv{}(y)) end @test g(2, 3) == (5, 3) end @testset "variable_analysis" begin # kwargs should not be assigned @test_throws LoadError macroexpand(@__MODULE__, :(@i function f1(x; y=4) y ← 5 y β†’ 5 end)) # deallocated variables should not be used @test_throws LoadError macroexpand(@__MODULE__, :(@i function f1(x; y=4) z ← 5 z β†’ 5 x += 2 * z end)) # deallocated variables should not be used in local scope @test_throws LoadError macroexpand(@__MODULE__, :(@i function f1(x; y=4) z ← 5 z β†’ 5 for i=1:10 x += 2 * z end end)) end @testset "boolean" begin @i function f1(x, y, z) x ⊻= true y .⊻= z end @test f1(false, [true, false], [true, false]) == (true, [false, false], [true, false]) @i function f2(x, y, z) z[2] ⊻= true && y[1] z[1] ⊻= z[2] || x end @test f2(false, [true, false], [true, false]) == (false, [true, false], [false, true]) end @testset "swap ↔" begin @i function f1(x, y) j::βˆ… ↔ k::βˆ… # dummy swap a::βˆ… ↔ x a ↔ y a ↔ x::βˆ… # ↔ is symmetric end @test f1(2, 3) == (3, 2) @test check_inv(f1, (2, 3)) # stack @i function f2(x, y) x[end+1] ↔ y y ← 2 end @test f2([1,2,3], 4) == ([1,2,3,4], 2) @test check_inv(f2, ([1,2,3], 3)) @i function f4(x, y) y ↔ x[end+1] y ← 2 end @test f4([1,2,3], 4) == ([1,2,3,4], 2) @test check_inv(f4, ([1,2,3], 3)) @i function f3(x, y::TY, s) where TY y β†’ _zero(TY) x[end] ↔ (y::TY)::βˆ… @safe @show x[2], s x[2] ↔ s end @test f3(Float32[1,2,3], 0.0, 4f0) == (Float32[1,4], 3.0, 2f0) @test check_inv(f3, (Float32[1,2,3], 0.0, 4f0)) end @testset "feed tuple and types" begin @i function f3(a, d::Complex) a.:1 += d.re d.re ↔ d.im end @i function f4(a, b, c, d, e) f3((a, b, c), Complex{}(d, e)) end @test f4(1,2,3,4,5) == (5,2,3,5,4) @test check_inv(f4, (1,2,3,4,5)) end @testset "exchange tuple and fields" begin @i function f1(x, y, z) (x, y) ↔ @fields z end @test f1(1,2, 3+4im) == (3,4,1+2im) @i function f2(re, x) r, i ← @fields x re += r r, i β†’ @fields x end @test f2(0.0, 3.0+2im) == (3.0, 3.0 + 2.0im) @i function f3(x, y, z) (@fields z) ↔ (x, y) end @test f3(1,2, 3+4im) == (3,4,1+2im) @test_throws LoadError macroexpand(@__MODULE__, :(@i function f3(x, y, z) (x, y) ↔ (z, j) end)) @i function f4(x, y, z, j) (x, y) ↔ (z, j) end @test f4(1,2, 3, 4) == (3,4,1,2) @i function swap_fields(obj::Complex) (x, y)::βˆ… ↔ @fields obj x += y (x, y) ↔ (@fields obj)::βˆ… end @test swap_fields(1+2im) == (3+2im) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/instr.jl
code
4877
using NiLangCore using NiLangCore: compile_ex, dual_ex, precom_ex, memkernel, render_arg, check_args using Test import Base: +, - value(x) = x NiLangCore.chfield(x::T, ::typeof(value), y::T) where T = y function add(a!::Number, b::Number) a!+b, b end function neg(b::Number) -b end @selfdual neg @i function add(a!, b) add(a! |> value, b |> value) end function sub(a!::Number, b::Number) a!-b, b end @i function sub(a!, b) sub(a! |> value, b |> value) end @dual add sub function XOR(a!::Integer, b::Integer) xor(a!, b), b end @selfdual XOR #@nograd XOR @testset "boolean" begin x = false @instr x ⊻= true @test x @instr x ⊻= true || false @test !x @instr x ⊻= true && false @instr x ⊻= !false @test x end @testset "@dual" begin @test isreversible(add, Tuple{Any,Any}) @test isreversible(sub, Tuple{Any,Any}) @test !isreflexive(add) @test ~(add) == sub a=2.0 b=1.0 @instr add(a, b) @test a == 3.0 args = (1,2) @instr add(args...) @test args == (3,2) @instr sub(a, b) @test a == 2.0 @test check_inv(add, (a, b)) @test isprimitive(add) @test isprimitive(sub) end @testset "@selfdual" begin @test !isreversible(XOR, Tuple{Any, Any}) @test !isreversible(~XOR, Tuple{Any, Any}) @test isreversible(~XOR, Tuple{Integer, Integer}) @test isreversible(XOR, Tuple{Integer, Integer}) @test isreflexive(XOR) @test isprimitive(XOR) @test ~(XOR) == XOR a=2 b=1 @instr XOR(a, b) @test a == 3 @instr XOR(a, b) @test a == 2 end @testset "+=, -=" begin x = 1.0 y = 1.0 @instr PlusEq(exp)(y, x) @test x β‰ˆ 1 @test y β‰ˆ 1+exp(1.0) @instr (~PlusEq(exp))(y, x) @test x β‰ˆ 1 @test y β‰ˆ 1 end @testset "+= and const" begin x = 0.5 @instr x += Ο€ @test x == 0.5+Ο€ @instr x += log(Ο€) @test x == 0.5 + Ο€ + log(Ο€) @instr x += log(Ο€)/2 @test x == 0.5 + Ο€ + 3*log(Ο€)/2 @instr x += log(2*Ο€)/2 @test x == 0.5 + Ο€ + 3*log(Ο€)/2 + log(2Ο€)/2 end @testset "+= keyword functions" begin g(x; y=2) = x^y z = 0.0 x = 2.0 @instr z += g(x; y=4) @test z == 16.0 end @testset "constant value" begin @test @const 2 == 2 @test NiLangCore._isconst(:(@const grad(x))) end @testset "+=, -=, *=, /=" begin @test compile_ex(@__MODULE__, :(x += y * z), NiLangCore.CompileInfo()).args[1].args[2] == :($PlusEq(*)(x, y, z)) @test compile_ex(@__MODULE__, dual_ex(@__MODULE__, :(x -= y * z)), NiLangCore.CompileInfo()).args[1].args[2] == :($PlusEq(*)(x, y, z)) @test compile_ex(@__MODULE__, :(x /= y * z), NiLangCore.CompileInfo()).args[1].args[2] == :($DivEq(*)(x, y, z)) @test compile_ex(@__MODULE__, dual_ex(@__MODULE__, :(x *= y * z)), NiLangCore.CompileInfo()).args[1].args[2] == :($DivEq(*)(x, y, z)) @test ~MulEq(*) == DivEq(*) @test ~DivEq(*) == MulEq(*) function (g::MulEq)(y, a, b) y * g.f(a, b), a, b end function (g::DivEq)(y, a, b) y / g.f(a, b), a, b end a, b, c = 1.0, 2.0, 3.0 @instr a *= b + c @test a == 5.0 @instr a /= b + c @test a == 1.0 end @testset "shared read write check" begin for (x, y) in [ (:((-x[3].g' |> NEG).k[5]) , :((x[3]).g.k[5])) (:((-(x |> subarray(3)).g' |> NEG).k[5]) , :((x[3]).g.k[5])) (:(@skip! x.g) , nothing) (:(@const x .|> g) , :x) (:(cos.(x[2])) , nothing) (:(cos(x[2])) , nothing) (:((x |> g)...) , :x) (:((x |> g, y.:1)) , [:x, :(y.:1)]) (:((x |> g, y |> tget(1))) , [:x, :(y[1])])] @test memkernel(deepcopy(x)) == y @test render_arg(deepcopy(x)) == x end @test render_arg(:(x.y.[2:3])) == :(x.y |> subarray(2:3)) @test memkernel(:(x.y |> subarray(2:3))) == (:(x.y[2:3])) @test render_arg(:(x.y.[2:3] |> value)) == :(x.y |> subarray(2:3) |> value) @test memkernel(:(x.y |> subarray(2:3) |> value)) == :(x.y[2:3]) @test_throws InvertibilityError check_args([:a, :(a |> grad)]) @test check_args([:(a.x), :(a.g |> grad)]) isa Nothing @test_throws InvertibilityError check_args([:(a.x), :(b[3]), :(b[3])]) @test_throws InvertibilityError check_args([:(a.x), :((b, a.x))]) isa Nothing # TODO: check variable on the same tree, like `a.b` and `a` end @testset "dual type" begin struct AddX{T} x::T end struct SubX{T} x::T end @dualtype AddX SubX @dualtype AddX SubX @i function (f::AddX)(x::Real) end @test hasmethod(AddX(3), Tuple{Real}) @test hasmethod(SubX(3), Tuple{Real}) for (TA, TB) in [(AddX, SubX), (MulEq, DivEq), (XorEq, XorEq), (PlusEq, MinusEq)] @test invtype(TA) == TB @test invtype(TA{typeof(*)}) == TB{typeof(*)} @test invtype(TB) == TA @test invtype(TB{typeof(*)}) == TA{typeof(*)} end end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/invtype.jl
code
1268
using NiLangCore using NiLangCore: type2tuple using Test struct NiTypeTest{T} <: IWrapper{T} x::T g::T end NiTypeTest(x) = NiTypeTest(x, zero(x)) @fieldview value(invtype::NiTypeTest) = invtype.x @fieldview gg(invtype::NiTypeTest) = invtype.g @testset "inv type" begin it = NiTypeTest(0.5) @test eps(typeof(it)) === eps(Float64) @test value(it) == 0.5 @test it β‰ˆ NiTypeTest(0.5) @test it > 0.4 @test it < NiTypeTest(0.6) @test it < 7 @test 0.4 < it @test 7 > it @test chfield(it, value, 0.3) == NiTypeTest(0.3) it = chfield(it, Val(:g), 0.2) @test almost_same(NiTypeTest(0.5+1e-15), NiTypeTest(0.5)) @test !almost_same(NiTypeTest(1.0), NiTypeTest(1)) it = NiTypeTest(0.5) @test chfield(it, gg, 0.3) == NiTypeTest(0.5, 0.3) end @testset "mutable struct set field" begin mutable struct MS{T} x::T y::T z::T end ms = MS(0.5, 0.6, 0.7) @i function f(ms) ms.x += 1 ms.y += 1 ms.z -= ms.x ^ 2 end ms2 = f(ms) @test (ms2.x, ms2.y, ms2.z) == (1.5, 1.6, -1.55) struct IMS{T} x::T y::T z::T end ms = IMS(0.5, 0.6, 0.7) ms2 = f(ms) @test (ms2.x, ms2.y, ms2.z) == (1.5, 1.6, -1.55) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/lens.jl
code
1130
using NiLangCore, Test @testset "update field" begin @test NiLangCore.field_update(1+2im, Val(:im), 4) == 1+4im struct TestUpdateField1{A, B} a::A end @test NiLangCore.field_update(TestUpdateField1{Int,Float64}(1), Val(:a), 4) == TestUpdateField1{Int,Float64}(4) struct TestUpdateField2{A} a::A function TestUpdateField2(a::T) where T new{T}(a) end end @test NiLangCore.field_update(TestUpdateField2(1), Val(:a), 4) == TestUpdateField2(4) @test NiLangCore.default_constructor(ComplexF64, 1.0, 2.0) == 1+2im end @testset "_zero" begin @test _zero(Tuple{Float64, Float32,String,Matrix{Float64},Char,Dict{Int,Int}}) == (0.0, 0f0, "", zeros(0,0), '\0', Dict{Int,Int}()) @test _zero(ComplexF64) == 0.0 + 0.0im @test _zero((1,2.0,"adsf",randn(2,2),'d',Dict(2=>5))) == (0, 0.0,"",zeros(2,2),'\0',Dict(2=>0)) @test _zero(1+2.0im) == 0.0 + 0.0im @test _zero(()) == () @test _zero((1,2)) == (0, 0) @test _zero(Symbol) == Symbol("") @test _zero(:x) == Symbol("") end @testset "fields" begin @test (@fields 1+3im) == (1,3) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/runtests.jl
code
480
using NiLangCore using Test @testset "Core.jl" begin include("Core.jl") end @testset "stack.jl" begin include("stack.jl") end @testset "lens.jl" begin include("lens.jl") end @testset "utils.jl" begin include("utils.jl") end @testset "symboltable.jl" begin include("symboltable.jl") end @testset "instr.jl" begin include("instr.jl") end @testset "vars.jl" begin include("vars.jl") end @testset "compiler.jl" begin include("compiler.jl") end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git
[ "Apache-2.0" ]
0.10.6
d3bfb7acf19fca70751bb70b014c6d57e4dd9b18
test/stack.jl
code
4790
using NiLangCore, Test @testset "stack" begin for (stack, x) in [ (FLOAT64_STACK, 0.3), (FLOAT32_STACK, 0f4), (INT64_STACK, 3), (INT32_STACK, Int32(3)), (COMPLEXF64_STACK, 4.0+0.3im), (COMPLEXF32_STACK, 4f0+0f3im), (BOOL_STACK, true), ] println(stack) push!(stack, x) @test pop!(stack) === x end end @testset "stack operations" begin z = 1.0 NiLangCore.empty_global_stacks!() @test_throws ArgumentError (@instr GLOBAL_STACK[end] ↔ y::βˆ…) y = 4.0 @test_throws ArgumentError (@instr GLOBAL_STACK[end] β†’ y) @test_throws BoundsError (@instr @invcheckoff GLOBAL_STACK[end] ↔ y) @test_throws ArgumentError (@instr @invcheckoff GLOBAL_STACK[end] β†’ y) x = 0.3 NiLangCore.empty_global_stacks!() @instr GLOBAL_STACK[end+1] ↔ x @instr GLOBAL_STACK[end] ↔ x::βˆ… @test x === 0.3 @instr @invcheckoff GLOBAL_STACK[end+1] ↔ x y = 0.5 @instr GLOBAL_STACK[end+1] ↔ y @instr @invcheckoff GLOBAL_STACK[end] ↔ x::βˆ… @test x == 0.5 x =0.3 st = Float64[] @instr st[end+1] ↔ x @test length(st) == 1 @instr st[end] ↔ x::βˆ… @test length(st) == 0 @test x === 0.3 @instr st[end+1] ↔ x @test length(st) == 1 y = 0.5 @instr st[end+1] ↔ y @instr @invcheckoff st[end] ↔ x::βˆ… @test x == 0.5 @i function test(x) x2 ← zero(x) x2 += x^2 GLOBAL_STACK[end+1] ↔ x x::βˆ… ↔ x2 end @test test(3.0) == 9.0 l = length(NiLangCore.GLOBAL_STACK) @test check_inv(test, (3.0,)) @test length(NiLangCore.GLOBAL_STACK) == l @i function test2(x) x2 ← zero(x) x2 += x^2 @invcheckoff GLOBAL_STACK[end+1] ↔ x x::βˆ… ↔ x2 end @test test2(3.0) == 9.0 l = length(NiLangCore.GLOBAL_STACK) @test check_inv(test2, (3.0,)) @test length(NiLangCore.GLOBAL_STACK) == l x = 3.0 @instr GLOBAL_STACK[end+1] ↔ x NiLangCore.empty_global_stacks!() l = length(NiLangCore.GLOBAL_STACK) @test l == 0 end @testset "copied push/pop stack operations" begin NiLangCore.empty_global_stacks!() x =0.3 @instr GLOBAL_STACK[end+1] ← x @test x === 0.3 @instr GLOBAL_STACK[end] β†’ x @test x === 0.3 @instr GLOBAL_STACK[end+1] ← x x = 0.4 @test_throws InvertibilityError @instr GLOBAL_STACK[end] β†’ x y = 0.5 @instr GLOBAL_STACK[end+1] ← y @instr @invcheckoff GLOBAL_STACK[end] β†’ x @test x == 0.5 st = [] x = [0.3] @instr st[end+1] ← x @test st[1] !== [0.3] @test st[1] β‰ˆ [0.3] x =0.3 st = Float64[] @instr ~(st[end] β†’ x) @test x === 0.3 @test length(st) == 1 @instr ~(st[end+1] ← x) @test length(st) == 0 @test x === 0.3 @instr @invcheckoff st[end+1] ← x @test length(st) == 1 x = 0.4 @test_throws InvertibilityError @instr st[end] β†’ x @test length(st) == 0 y = 0.5 @instr st[end+1] ← y @instr @invcheckoff st[end] β†’ x @test x == 0.5 @i function test(x, x2) x2 += x^2 GLOBAL_STACK[end+1] ← x x ↔ x2 end @test test(3.0, 0.0) == (9.0, 3.0) l = length(NiLangCore.GLOBAL_STACK) @test check_inv(test, (3.0, 0.0)) @test length(NiLangCore.GLOBAL_STACK) == l end @testset "dictionary & vector" begin # allocate and deallocate @i function f1(d, y) d["y"] ← y end d = Dict("x" => 34) @test f1(d, 3) == (Dict("x"=>34, "y"=>3), 3) @test_throws InvertibilityError f1(d, 3) d = Dict("x" => 34) @test check_inv(f1, (d, 3)) # not available on vectors @i function f2(d, y) d[2] ← y end @test_throws MethodError f2([1,2,3], 3) # swap @i function f3(d, y) d["y"] ↔ y end d = Dict("y" => 34) @test f3(d, 3) == (Dict("y"=>3), 34) d = Dict("z" => 34) @test_throws KeyError f3(d, 3) d = Dict("y" => 34) @test check_inv(f3, (d, 3)) # swap on vector @i function f4(d, y, x) d[2] ↔ y d[end] ↔ x end d = [11,12,13] @test f4(d, 1,2) == ([11,1,2],12,13) d = [11,12,13] @test check_inv(f4, (d, 1,2)) # swap to empty @i function f5(d, x::T) where T d["x"]::βˆ… ↔ x # swap in d["y"] ↔ x::βˆ… # swap out end d = Dict("y" => 34) @test f5(d, 3) == (Dict("x"=>3), 34) d = Dict("y" => 34) @test check_inv(f5, (d, 3)) d = Dict("x" => 34) @test_throws InvertibilityError f5(d, 3) # not available on vectors @i function f6(d, y) d[2]::βˆ… ↔ y end @test_throws MethodError f6([1,2,3], 3) end @testset "inverse stack" begin @i function f(x) x[end+1] ← 1 end x = FastStack{Int}(3) @test check_inv(f, (x,)) end
NiLangCore
https://github.com/GiggleLiu/NiLangCore.jl.git

JuliaCode

This dataset includes all Julia code (with permissive licenses) and some documentation from the libraries in the General registry, and the Julia Base library. The data was collected using PackageAnalyzer.jl.

Licenses

The current version of the dataset uses code with the following licenses:

[
    "MIT",
    "Apache-2.0",
    "MPL-2.0",
    "BSD-3-Clause",
    "Zlib",
    "ISC",
    "CC0-1.0",
    "0BSD",
    "BSL-1.0"
]
Downloads last month
96
Edit dataset card