作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我目前正在制作 Scotty API,但找不到任何 basicAuth 实现示例(Wai Middleware HttpAuth)。
具体来说,我想向我的某些端点(即以“admin”开头的端点)添加基本的身份验证 header (user、pass)。我已经设置好了一切,但我似乎无法区分哪些端点需要身份验证,哪些不需要。我知道我需要使用类似 this 的东西,但它使用 Yesod,我无法将其翻译成 Scotty。
到目前为止,我有这个:
routes :: (App r m) => ScottyT LText m ()
routes = do
-- middlewares
middleware $ cors $ const $ Just simpleCorsResourcePolicy
{ corsRequestHeaders = ["Authorization", "Content-Type"]
, corsMethods = "PUT":"DELETE":simpleMethods
}
middleware $ basicAuth
(\u p -> return $ u == "username" && p == "password")
"My Realm"
-- errors
defaultHandler $ \str -> do
status status500
json str
-- feature routes
ItemController.routes
ItemController.adminRoutes
-- health
get "/api/health" $
json True
但它为我的所有请求添加了身份验证。我只在其中一些中需要它。
最佳答案
您可以使用 authIsProtected
领域AuthSettings
定义一个函数 Request -> IO Bool
确定是否特定 (Wai) Request
受基本身份验证的授权。特别是,您可以检查 URL 路径组件并以这种方式进行确定。
不幸的是,这意味着授权检查与 Scotty 路由完全分离。这在您的情况下工作正常,但可能会使 Scotty 路由对授权的细粒度控制变得困难。
不管怎样,AuthSettings
是过载 "My Realm"
源代码中的字符串,根据文档,定义设置的推荐方法是使用重载的字符串编写如下内容:
authSettings :: AuthSettings
authSettings = "My Realm" { authIsProtected = needsAuth }
这看起来很可怕,但无论如何,
needsAuth
函数将有签名:
needsAuth :: Request -> IO Bool
所以它可以检查围
Request
并首先在 IO 中决定页面是否需要基本身份验证。调用
pathInfo
在
Request
为您提供路径组件列表(没有主机名和查询参数)。因此,根据您的需要,以下应该有效:
needsAuth req = return $ case pathInfo req of
"admin":_ -> True -- all admin pages need authentication
_ -> False -- everything else is public
请注意,这些是解析的非查询路径组件,因此
/admin
和
/admin/
和
/admin/whatever
甚至
/admin/?q=hello
受到保护,但显然
/administrator/...
不是。
{-# LANGUAGE OverloadedStrings #-}
import Web.Scotty
import Network.Wai.Middleware.HttpAuth
import Data.Text () -- needed for "admin" overloaded string in case
import Network.Wai (Request, pathInfo)
authSettings :: AuthSettings
authSettings = "My Realm" { authIsProtected = needsAuth }
needsAuth :: Request -> IO Bool
needsAuth req = return $ case pathInfo req of
"admin":_ -> True -- all admin pages need authentication
_ -> False -- everything else is public
main = scotty 3000 $ do
middleware $ basicAuth (\u p -> return $ u == "username" && p == "password") authSettings
get "/admin/deletedb" $ do
html "<h1>Password database erased!</h1>"
get "/" $ do
html "<h1>Homepage</h1><p>Please don't <a href=/admin/deletedb>Delete the passwords</a>"
关于authentication - 如何向 Scotty 中间件添加基本身份验证?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/65948172/
我是一名优秀的程序员,十分优秀!