我有一个100个观测值的双变量数据集。我使用了六边形合并,最后得到了26个六边形合并。为了保存在26个六边形箱中的每一个中的100个观测值的行,我在R中使用了base::attr函数。在下面的代码中,此操作在以下位置进行:

attr(hexdf, "cID") <- h@cID

我正在尝试创建一个六边形合并的交互式R Plotly对象,这样,如果用户单击给定的六边形合并,他们将获得分组到该合并中的100个观测值的行。我已经完成了部分目标。我的MWE如下:
library(plotly)
library(data.table)
library(GGally)
library(hexbin)
library(htmlwidgets)

set.seed(1)
bindata <- data.frame(ID = paste0("ID",1:100), A=rnorm(100), B=rnorm(100))
bindata$ID <- as.character(bindata$ID)

x = bindata[,c("A")]
y = bindata[,c("B")]
h <- hexbin(x=x, y=y, xbins=5, shape=1, IDs=TRUE)
hexdf <- data.frame (hcell2xy (h),  hexID = h@cell, counts = h@count)
attr(hexdf, "cID") <- h@cID
pS <- ggplot(hexdf, aes(x=x, y=y, fill = counts, hexID=hexID)) + geom_hex(stat="identity")

ggPS <- ggplotly(pS)

myLength <- length(ggPS[["x"]][["data"]])
for (i in 1:myLength){
  item =ggPS[["x"]][["data"]][[i]]$text[1]
  if (!is.null(item))
    if (!startsWith(item, "co")){
      ggPS[["x"]][["data"]][[i]]$hoverinfo <- "none"
    }
}

ggPS %>% onRender("
          function(el, x, data) {
            //console.log(el)
            //console.log(x)
            //console.log(data)

            myGraph = document.getElementById(el.id);
            el.on('plotly_click', function(e) {

            cN = e.points[0].curveNumber
            split1 = (x.data[cN].text).split(' ')
            hexID = (x.data[cN].text).split(' ')[2]
            counts = split1[1].split('<')[0]
            console.log(hexID)
            console.log(counts)

           })}
           ", data = pS$data)

当我运行此代码并在Web浏览器中将其打开时,将获得如下所示的交互式图(图中没有绿色框;为了说明目的将其叠加):

javascript - 在JavaScript中检索R对象属性-LMLPHP

如果单击绿色框内的六边形,则会在控制台上打印正确的hexID 40和counts 3。在这一点上,我想获得放入该六 Angular 形仓中的原始数据帧的3行。

我知道如何在R中使用onRender()函数在htmlwidgets包的base::attr函数之外执行此操作。例如,我可以执行以下操作:
hexID=40
obsns <- which(attr(pS$data, "cID")==hexID)
dat <- bindata[obsns,]

并收到以下正确的3个数据点,这些数据点已放入我单击的那个容器中:
     ID         A        B
47 ID47 0.3645820 2.087167
66 ID66 0.1887923 2.206102
71 ID71 0.4755095 2.307978

我正在处理比此MWE大得多的数据集。因此,我使用base:attr函数的目的是防止更大的数据帧 float 。但是,我不确定如何转换base::attr函数的功能,以便可以访问onRender() JavaScript代码中单击六边形框的适当数据点行。我确实将pS$data对象包含在onRender() JavaScript代码中,但仍然存在问题。

任何建议将由衷的感谢!

最佳答案

您可以添加一列,该列的每一行都有其在binata中所属的十六进制bin的ID:

bindata$hex <- h@cID

然后,您可以将其传递给onRender函数,并在用户单击六 Angular 形时过滤行:
ggPS %>% onRender("
                  function(el, x, data) {
                  myGraph = document.getElementById(el.id);
                  el.on('plotly_click', function(e) {

                  cN = e.points[0].curveNumber
                  split1 = (x.data[cN].text).split(' ')
                  hexID = (x.data[cN].text).split(' ')[2]
                  counts = split1[1].split('<')[0]

                  var selected_rows = [];

                  data.forEach(function(row){
                    if(row.hex==hexID) selected_rows.push(row);
                  });
                  console.log(selected_rows);

                  })}
                  ", data = bindata)

09-27 20:14