首页 > 解决方案 > 闪亮的页脚位置

问题描述

我想在闪亮的应用程序中调整页脚位置。当页面内容比视口短时,页脚应该在视口的底部。当页面内容长于视口时,页脚应位于内容下方。这篇文章建议了通常如何在 CSS 中实现它。在手动编写页面的 HTML 代码时,这种和类似的解决方案通常很容易使用。

有关于闪亮页脚位置的讨论,其中一些设法将页脚移动到底部。但是,它们无法防止页脚与页面主要内容的底部重叠,这需要缩短主要内容的容器。

考虑以下最小的工作示例:

library(shiny)

ui <- navbarPage(title = "Some Example", id = "example",
    tabPanel(title = "Something", value = "something",
        textOutput("some_text")
    ),
    footer = "The footer."
)

server <- function(input, output, session) {
    output$some_text <- renderText(stringi::stri_rand_lipsum(5))
}

shinyApp(ui = ui, server = server)

标签: cssrshinycss-positionfooter

解决方案


可以有一个像你描述的页脚,但实现起来并不简单。似乎没有内置功能来定位页脚,更不用说以您想要的方式了。

因此,我们需要编写一些自定义 CSS。为此,我们需要能够定位页脚。当我们查看示例生成的 HTML 时,我们可以看到参数指定的内容footer简单地包装在<div>带有 class 的标签中row

      <div class="container-fluid">
        <div class="tab-content" data-tabsetid="6611">
          <div class="tab-pane active" data-value="something" id="tab-6611-1">
            <div id="some_text" class="shiny-text-output"></div>
          </div>
        </div>
        <div class="row">The footer.</div>
      </div>
    </body>
    </html>

在任何大小合理的闪亮应用程序中,此类都会有多个<div>s,这使得编写可靠地仅针对页脚的 CSS 变得困难。解决方法如下:

    ui <- tagList(navbarPage(
      title = "Some Example",
      id = "example",
      tabPanel(
        title = "Something",
        value = "something",
        textOutput("some_text")
      )),
      tags$footer("The footer.", class = "footer")
    )

现在剩下要做的就是添加定位页脚的 CSS。我使用在Bootstrap 网站上找到的示例。一种将其集成到闪亮中的方法是这样的:

    ui <- tagList(
      tags$head(
        tags$style(HTML(
          "html {
             position: relative;
             min-height: 100%;
           }
           body {
             margin-bottom: 60px; /* Margin bottom by footer height */
           }
           .footer {
             position: absolute;
             bottom: 0;
             width: 100%;
             height: 60px; /* Set the fixed height of the footer here */
             background-color: #f5f5f5;
           }"))),
      navbarPage(
      title = "Some Example",
      id = "example",
      tabPanel(
        title = "Something",
        value = "something",
        textOutput("some_text")
      )),
      tags$footer("The footer.", class = "footer")
    )

将示例中的 UI 替换为上面的 UI 将生成所需的页脚,当内容短时,它会粘在视口的底部,但当内容长于视口时,它会在内容下方。


推荐阅读