2

我有一个使用 SpreadsheetGear 的 WorkbookView 控件的 C# 应用程序。用户希望能够对已保存的单元格上的评论进行更改。

有谁知道在用户编辑评论时捕获更改的方法。编辑评论时不会触发单元格编辑事件,我找不到任何方法来捕获用户对评论所做的更改。

4

2 回答 2

3

在我不知道如何单独保存评论的情况下阅读 Joe 的回复之前,我决定通过遍历 workbookView 中的单元格并在表单关闭时获取评论来保存评论。

在看到他的回复后,我找到了一种在使用 workbookView1_ShapeSelectionChanged 和 workbookView1_ShapeAction 事件的组合输入评论后立即获得评论的方法。workbookView1_ShapeSelectionChanged 事件在打开评论框进行编辑和关闭评论框进行编辑时触发。当它为评论框打开而触发时,我得到了 ActiveCell,因为当评论框关闭时它可能不再是 ActiveCell。如果评论已更改,当评论框关闭时,我使用该单元格获取评论。每次在注释框中输入新字符时都会触发 workbookView1_ShapeAction 事件,这对于将注释标记为已更改很有用。保存评论后,commentChanged 变量设置回 false。这是使用乔在他的答案中发布的代码的代码:

private void workbookView1_ShapeAction(object sender, SpreadsheetGear.Windows.Forms.ShapeActionEventArgs e)
{
  switch (e.ShapeActionType)
  {
    case SpreadsheetGear.Windows.Forms.ShapeActionType.TextChanged:
      if (e.Shape.Type == SpreadsheetGear.Shapes.ShapeType.Comment)
      {
        //set comment changed flag to true
        _commentChanged = true;
      }
      break;
  } 
}

private void workbookView1_ShapeSelectionChanged(object sender, SpreadsheetGear.Windows.Forms.ShapeSelectionChangedEventArgs e)
{
  if (_commentChanged)
  {
    //get comment
    string comment = _commentCell.Comment.Shape.TextFrame.Characters.Text;

    //save comment
    //....

    //set comment changed flag to false
    _commentChanged = false;
  }
  else
  {
    //get the cell whose comment is being edited
    _commentCell = workbookView1.ActiveCell;
  }
}
于 2009-08-14T16:37:59.013 回答
1

不幸的是,答案是“有点但不是真的”。

您可以捕获 ShapeAction 事件,如下所示,但是 ShapeAction 事件实际上是为形状设计的,而不是为注释设计的,因此您无法获取当前文本(文本 hsa 尚未存储在形状中),甚至无法获取单元格评论属于。不过,我将粘贴一些代码,因为它可能对您有用:

    private void workbookView1_ShapeAction(object sender, SpreadsheetGear.Windows.Forms.ShapeActionEventArgs e)
    {
        switch (e.ShapeActionType)
        {
            case SpreadsheetGear.Windows.Forms.ShapeActionType.TextChanged:
                if (e.Shape.Type == SpreadsheetGear.Shapes.ShapeType.Comment)
                {
                    // Unfortunately, this is as far as we can get since IShape
                    // does not have a way to get back to the cell which owns the comment.
                    //
                    // Furthermore, the text is not yet stored in the IShape, so we
                    // cannot get the current text either.
                }
                break;
        }
    }

如果您向 SpreadsheetGear 的支持人员发送电子邮件请求此功能,他们会将此功能请求添加到他们的列表中,并附上您的电子邮件地址。

于 2009-08-13T14:58:12.280 回答