Socket
Socket
Sign inDemoInstall

github.com/sy264115809/iris

Package Overview
Dependencies
0
Alerts
File Explorer

Install Socket

Detect and block malicious and high-risk dependencies

Install

    github.com/sy264115809/iris

Package iris provides a beautifully expressive and easy to use foundation for your next website, API, or distributed app. Source code and other details for the project are available at GitHub: 8.2.1 The only requirement is the Go Programming Language, at least version 1.8 Example code: You can listen to a server using any type of net.Listener or http.Server instance. The method for initialization of the server should be passed at the end, via `Run` function. Below you'll read some usage examples: UNIX and BSD hosts can take advandage of the reuse port feature. Example code: That's all with listening, you have the full control when you need it. Let's continue by learning how to catch CONTROL+C/COMMAND+C or unix kill command and shutdown the server gracefully. In order to manually manage what to do when app is interrupted, we have to disable the default behavior with the option `WithoutInterruptHandler` and register a new interrupt handler (globally, across all possible hosts). Example code: Access to all hosts that serve your application can be provided by the `Application#Hosts` field, after the `Run` method. But the most common scenario is that you may need access to the host before the `Run` method, there are two ways of gain access to the host supervisor, read below. First way is to use the `app.NewHost` to create a new host and use one of its `Serve` or `Listen` functions to start the application via the `iris#Raw` Runner. Note that this way needs an extra import of the `net/http` package. Example Code: Second, and probably easier way is to use the `host.Configurator`. Note that this method requires an extra import statement of "github.com/kataras/iris/core/host" when using go < 1.9, if you're targeting on go1.9 then you can use the `iris#Supervisor` and omit the extra host import. All common `Runners` we saw earlier (`iris#Addr, iris#Listener, iris#Server, iris#TLS, iris#AutoTLS`) accept a variadic argument of `host.Configurator`, there are just `func(*host.Supervisor)`. Therefore the `Application` gives you the rights to modify the auto-created host supervisor through these. Example Code: Read more about listening and gracefully shutdown by navigating to: All HTTP methods are supported, developers can also register handlers for same paths for different methods. The first parameter is the HTTP Method, second parameter is the request path of the route, third variadic parameter should contains one or more context.Handler executed by the registered order when a user requests for that specific resouce path from the server. Example code: In order to make things easier for the user, iris provides functions for all HTTP Methods. The first parameter is the request path of the route, second variadic parameter should contains one or more context.Handler executed by the registered order when a user requests for that specific resouce path from the server. Example code: A set of routes that are being groupped by path prefix can (optionally) share the same middleware handlers and template layout. A group can have a nested group too. `.Party` is being used to group routes, developers can declare an unlimited number of (nested) groups. Example code: iris developers are able to register their own handlers for http statuses like 404 not found, 500 internal server error and so on. Example code: With the help of iris's expressionist router you can build any form of API you desire, with safety. Example code: At the previous example, we've seen static routes, group of routes, subdomains, wildcard subdomains, a small example of parameterized path with a single known paramete and custom http errors, now it's time to see wildcard parameters and macros. iris, like net/http std package registers route's handlers by a Handler, the iris' type of handler is just a func(ctx context.Context) where context comes from github.com/kataras/iris/context. Until go 1.9 you will have to import that package too, after go 1.9 this will be not be necessary. iris has the easiest and the most powerful routing process you have ever meet. At the same time, iris has its own interpeter(yes like a programming language) for route's path syntax and their dynamic path parameters parsing and evaluation, I am calling them "macros" for shortcut. How? It calculates its needs and if not any special regexp needed then it just registers the route with the low-level path syntax, otherwise it pre-compiles the regexp and adds the necessary middleware(s). Standard macro types for parameters: if type is missing then parameter's type is defaulted to string, so {param} == {param:string}. If a function not found on that type then the "string"'s types functions are being used. i.e: Besides the fact that iris provides the basic types and some default "macro funcs" you are able to register your own too!. Register a named path parameter function: at the func(argument ...) you can have any standard type, it will be validated before the server starts so don't care about performance here, the only thing it runs at serve time is the returning func(paramValue string) bool. Example code: A path parameter name should contain only alphabetical letters, symbols, containing '_' and numbers are NOT allowed. If route failed to be registered, the app will panic without any warnings if you didn't catch the second return value(error) on .Handle/.Get.... Last, do not confuse ctx.Values() with ctx.Params(). Path parameter's values goes to ctx.Params() and context's local storage that can be used to communicate between handlers and middleware(s) goes to ctx.Values(), path parameters and the rest of any custom values are separated for your own good. Run Static Files Example code: More examples can be found here: https://github.com/kataras/iris/tree/master/_examples/beginner/file-server Middleware is just a concept of ordered chain of handlers. Middleware can be registered globally, per-party, per-subdomain and per-route. Example code: iris is able to wrap and convert any external, third-party Handler you used to use to your web application. Let's convert the https://github.com/rs/cors net/http external middleware which returns a `next form` handler. Example code: iris supports 5 template engines out-of-the-box, developers can still use any external golang template engine, as `context.ResponseWriter()` is an `io.Writer`. All of these five template engines have common features with common API, like Layout, Template Funcs, Party-specific layout, partial rendering and more. Example code: View engine supports bundled(https://github.com/jteeuwen/go-bindata) template files too. go-bindata gives you two functions, asset and assetNames, these can be setted to each of the template engines using the `.Binary` func. Example code: A real example can be found here: https://github.com/kataras/iris/tree/master/_examples/view/embedding-templates-into-app. Enable auto-reloading of templates on each request. Useful while developers are in dev mode as they no neeed to restart their app on every template edit. Example code: Note: In case you're wondering, the code behind the view engines derives from the "github.com/kataras/iris/view" package, access to the engines' variables can be granded by "github.com/kataras/iris" package too. Each one of these template engines has different options located here: https://github.com/kataras/iris/tree/master/view . This example will show how to store and access data from a session. You don’t need any third-party library, but If you want you can use any session manager compatible or not. In this example we will only allow authenticated users to view our secret message on the /secret page. To get access to it, the will first have to visit /login to get a valid session cookie, which logs him in. Additionally he can visit /logout to revoke his access to our secret message. Example code: Running the example: Sessions persistence can be achieved using one (or more) `sessiondb`. Example Code: More examples: In this example we will create a small chat between web sockets via browser. Example Server Code: Example Client(javascript) Code: Running the example: But you should have a basic idea of the framework by now, we just scratched the surface. If you enjoy what you just saw and want to learn more, please follow the below links: Examples: Built'n Middleware: Home Page:


Version published

Readme

Source

Logo created by @santoshanand Iris

Iris is a fast, simple and efficient micro web framework for Go. It provides a beautifully expressive and easy to use foundation for your next website, API, or distributed app.

build status report card github issues github closed issues view examples chat

Third-party source for transparency.

📑 Table of contents

🚀 Installation

The only requirement is the Go Programming Language, at least version 1.8

$ go get -u github.com/kataras/iris

iris takes advantage of the vendor directory feature. You get truly reproducible builds, as this method guards against upstream renames and deletes.

// file: main.go
package main
import (
    "github.com/kataras/iris"
    "github.com/kataras/iris/context"
)
func main() {
    app := iris.New()
    // Load all templates from the "./templates" folder
    // where extension is ".html" and parse them
    // using the standard `html/template` package.
    app.RegisterView(iris.HTML("./templates", ".html"))

    // Method:    GET
    // Resource:  http://localhost:8080
    app.Get("/", func(ctx context.Context) {
        // Bind: {{.message}} with "Hello world!"
        ctx.ViewData("message", "Hello world!")
        // Render template file: ./templates/hello.html
        ctx.View("hello.html")
    })

    // Start the server using a network address and block.
    app.Run(iris.Addr(":8080"))
}
<!-- file: ./templates/hello.html -->
<html>
<head>
    <title>Hello Page</title>
</head>
<body>
    <h1>{{.message}}</h1>
</body>
</html>
$ go run main.go
> Now listening on: http://localhost:8080
> Application started. Press CTRL+C to shut down.
Hello World with Go 1.9

If you've installed Go 1.9 then you can omit the github.com/kataras/iris/context package from the imports statement.

// +build go1.9

package main

import "github.com/kataras/iris"

func main() {
	app := iris.New()
	app.RegisterView(iris.HTML("./templates", ".html"))
	
	app.Get("/", func(ctx iris.Context) {
		ctx.ViewData("message", "Hello world!")
		ctx.View("hello.html")
	})

	app.Run(iris.Addr(":8080"))
}

We expect Go version 1.9 to be released in August, however you can install Go 1.9 RC1 today.

Installing Go 1.9rc1

  1. Go to https://golang.org/dl/#go1.9rc1
  2. Download a compatible, with your OS, archive or executable, i.e go1.9rc1.windows-amd64.zip
  3. Unzip the contents of go1.9rc1.windows-amd64.zip folder to your $GOROOT, i.e C:\Go or just execute the executable you've just download
  4. Open a terminal and execute go version, it should output the go1.9rc1 version, i.e:
C:\Users\kataras>go version
go version go1.9rc1 windows/amd64
Why a new web framework

Why

Go is a great technology stack for building scalable, web-based, back-end systems for web applications.

When you think about building web applications and web APIs, or simply building HTTP servers in Go, does your mind go to the standard net/http package? Then you have to deal with some common situations like dynamic routing (a.k.a parameterized), security and authentication, real-time communication and many other issues that net/http doesn't solve.

The net/http package is not complete enough to quickly build well-designed back-end web systems. When you realize this, you might be thinking along these lines:

  • Ok, the net/http package doesn't suit me, but there are so many frameworks, which one will work for me?!
  • Each one of them tells me that it is the best. I don't know what to do!
The truth

I did some deep research and benchmarks with 'wrk' and 'ab' in order to choose which framework would suit me and my new project. The results, sadly, were really disappointing to me.

I started wondering if golang wasn't as fast on the web as I had read... but, before I let Golang go and continued to develop with nodejs, I told myself:

'Makis, don't lose hope, give at least a chance to Golang. Try to build something totally new without basing it off the "slow" code you saw earlier; learn the secrets of this language and make others follow your steps!'.

These are the words I told myself that day [13 March 2016].

The same day, later the night, I was reading a book about Greek mythology. I saw an ancient goddess' name and was inspired immediately to give a name to this new web framework (which I had already started writing) - Iris.

I'm still here because Iris has succeed in being the fastest go web framework


iris is easy, it has a familiar API while in the same has far more features than Gin or Martini.

You own your code —it will never generate (unfamiliar) code for you, like Beego, Revel and Buffalo do.

It's not just-another-router but its overall performance is equivalent with something like httprouter.

Unlike fasthttp, iris provides full HTTP/2 support for free.

Compared to the rest open source projects, this one is very active and you get answers almost immediately.

🔥 Hot Features

  • Focus on high performance
  • Easy Fluent API
  • Highly customizable
  • Robust routing and middleware ecosystem
    • Build RESTful APIs with iris unique expressionist path interpreter
    • Dynamic path parameterized or wildcard routes are not conflict with static routes
    • Remove trailing slash from the URL with option to redirect
    • Virtual hosts and subdomains made easy
    • Group API's and static or even dynamic subdomains
    • net/http and negroni-like handlers are compatible via iris.FromStd
    • Register custom handlers for any HTTP error
    • Transactions and rollback when you need it
    • Cache the response when you need it
    • A single function to serve your embedded assets, always compatible with go-bindata
    • HTTP to HTTPS
    • HTTP to HTTPS WWW
    • learn the reasons that differ from what you've seen so far
  • Context
    • Highly scalable rich content render (Markdown, JSON, JSONP, XML...)
    • Body binders and handy functions to send HTTP responses
    • Limit request body
    • Serve static resources or embedded assets
    • Localization i18N
    • Compression (Gzip is built'n)
  • Authentication
    • Basic Authentication
    • OAuth, OAuth2 supporting 27+ popular websites
    • JWT
  • Server
    • Automatically install and serve certificates from https://letsencrypt.org when serving via TLS
    • Gracefully shutdown by-default
    • Register on shutdown, error or interrupt events
    • Attach more than one server, fully compatible with net/http#Server
  • View system: supporting 5 template engines. Fully compatible with html/template
  • HTTP Sessions library [you can still use your favorite if you want to]
  • Websocket library, its API similar to socket.io [you can still use your favorite if you want to]
  • Hot Reload on source code changes*
  • Typescript integration + Web IDE
  • And many other things that will surprise you

📖 Learn

The iris philosophy is to provide robust tooling for HTTP, making it a great solution for single page applications, web sites, hybrids, or public HTTP APIs. Keep note that, today, iris is faster than apache+nginx itself.

iris does not force you to use any specific ORM. With support for the most popular template engines, websocket server and a fast sessions manager you can quickly craft your perfect application.

The awesome iris community is always adding new examples, _examples is a great place to get started!

Read the godocs for a better understanding.

👥 Community

Join the welcoming community of fellow iris developers in rocket.chat

  • Post a feature request or report a bug
  • :star: and watch the public repository, will keep you up to date
  • :earth_americas: publish an article or share a tweet about your personal experience with iris.

The most useful community repository for iris developers is the iris-contrib/middleware which contains some HTTP handlers that can help you finish a lot of your tasks even easier. Feel free to push your own middleware there!

$ go get -u github.com/iris-contrib/middleware/...
📈 One and a half years with You...
  • 7210 github stars
  • 766 github forks
  • 1m total views at its documentation
  • ~800$ at donations (there're a lot for a golang open-source project, thanks to you)
  • ~554 reported bugs fixed
  • ~30 community feature requests have been implemented

Thank You for your trust!

📌 Version

Current: 8.2.1

Each new release is pushed to the master. It stays there until the next version. When a next version is released then the previous version goes to its own branch with gopkg.in as its import path (and its own vendor folder), in order to keep it working "for-ever".

Changelog of the current version can be found at the HISTORY file.

Should I upgrade my iris?

Developers are not forced to use the latest iris version, they can use any version in production, they can update at any time they want.

Testers should upgrade immediately, if you're willing to use iris in production you can wait a little more longer, transaction should be as safe as possible.

Where can I find older versions?

Previous versions can be found at releases page.

😃 Get Hired

Below you'll find a list of open positions that require at least experience with the Iris web framework.

CompanyPositionJob Details
Kudo, an Indonesian startup technology companyApplication Programming Interface DeveloperNavigate to: https://glints.id/opportunities/jobs/5553

Employers that are looking for briliant Software Engineers with good experience on Go Programming Language and Iris can put their startup's or company's name here or, if privacy is the key, contact with us to suggest some good and well-tested freelancers that suits your needs.

🥇 People

The original author of iris is Gerasimos Maropoulos

The current lead maintainer is Bill Qeras, Jr.

List of all contributors

Help this project to continue deliver awesome and unique features with the higher code quality as possible

FAQs

Last updated on 08 Aug 2017

Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc