单击Leaflet地图上的点以在Shiny

时间:2018-05-04 21:31:27

标签: r ggplot2 shiny leaflet interactive

在R中使用Shiny,我正在尝试创建一个Leaflet地图,允许用户点击任何标记以生成代表该特定站点的信息(温度)的相应图。

我在此博客中加入了代码(Click on points in a leaflet map as input for a plot in shiny)和第二个技巧(https://www.r-bloggers.com/4-tricks-for-working-with-r-leaflet-and-shiny/),但似乎无法在Shiny中成功注册点击的标记点。

即。点击任何网站时都没有任何情节。

我找不到任何基于进一步研究的解决方案,感谢任何帮助。

library(leaflet)
library(shiny)
library(ggplot2)

# example data frame 
wxstn_df <- data.frame(Site = c("a", "a", "b"), Latitude = c(44.1, 44.1, 37), Longitude = c(-110.2, -110.2, -112.7), Month = c(1,2,1), Temp_avg = c(10, 18, 12))

ui <- fluidPage(column(7, leafletOutput("wsmap", height = "600px")),
  column(5, plotOutput("plot", height = "600px"))
)

server <- function(input, output) {

  # create a reactive value to store the clicked site
  stn <- reactiveValues(clickedMarker = NULL)

  ## leaflet map
  output$wsmap <- renderLeaflet({
    leaflet() %>% 
      addTiles() %>% 
      addCircleMarkers(data = wxstn_df, ~unique(Longitude), ~unique(Latitude), layerId = ~unique(Site), popup = ~unique(Site)) 
  })

 # store the click
  observeEvent(input$map_marker_click, {
    stn$clickedMarker <- input$map_marker_click
  })

output$plot <- renderPlot({
      ggplot(wxstn_df[wxstn_df$Site %in% stn$clickedmarker$Site,], aes(Month, Temp_avg)) +
        geom_line()
  }) 
}

shinyApp(ui, server)

1 个答案:

答案 0 :(得分:4)

这是一个解决方案:

library(leaflet)
library(shiny)
library(ggplot2)

# example data frame 
wxstn_df <- data.frame(Site = c("a", "a", "b"), Latitude = c(44.1, 44.1, 37), Longitude = c(-110.2, -110.2, -112.7), Month = c(1,2,1), Temp_avg = c(10, 18, 12))

ui <- fluidPage(column(7, leafletOutput("wsmap", height = "600px")),
                column(5, plotOutput("plot", height = "600px"))
)

server <- function(input, output) {

  ## leaflet map
  output$wsmap <- renderLeaflet({
    leaflet() %>% 
      addTiles() %>% 
      addCircleMarkers(data = wxstn_df, ~unique(Longitude), ~unique(Latitude), layerId = ~unique(Site), popup = ~unique(Site)) 
  })

  # generate data in reactive
  ggplot_data <- reactive({
    site <- input$wsmap_marker_click$id
    wxstn_df[wxstn_df$Site %in% site,]
  })

  output$plot <- renderPlot({
    ggplot(data = ggplot_data(), aes(Month, Temp_avg)) +
      geom_line()
  }) 
}

shinyApp(ui, server)

主要问题是您没有更改您正在使用的示例中的对象名称,例如输入$ wsmap_marker_click因为wsmap是您的传单ID的名称。同样,要访问网站信息,请使用输入$ wsmap_marker_click $ id而不输入$ wsmap_marker_click $ Site。在反应函数中打印对象以探索输入对象的外观以及如何访问它的一部分通常很有用。

e.g。

   # generate data in reactive
  ggplot_data <- reactive({
    print(input$wsmap_marker_click)
    site <- input$wsmap_marker_click$id
    print(site)

    data <- wxstn_df[wxstn_df$Site %in% site,]
    print(data)
    data})

就这种情况而言,我更喜欢使用反应式表达式从标记点击生成ggplot数据(ggplot_data()),而不是创建reactiveValues对象。每次单击标记时,绘图将使用新的ggplot_data()进行更新。

证明它有效:

enter image description here