0

我正在使用 Gtkmm 3+,我想要做的是让文本缓冲区具有常量字符串“>”,即使用户尝试删除它。此外,当用户按下返回时,它会自动再次出现。基本上有一个像终端一样的常量字符串。

我能想到的唯一方法是连接到删除和退格信号,这样用户就不能删除字符串。但是,有没有更好的方法?

到目前为止,这是我能想到的唯一方法:

//in constructor
txt_view_i_.signal_event().connect(sigc::mem_fun(*this, &MainWindow::inputEvent));

//function
bool MainWindow::inputEvent(GdkEvent* event)
{
    if((event->key.keyval == GDK_KEY_BackSpace || event->key.keyval == GDK_KEY_Delete) && buffer_input_->get_char_count() < 3)
        return true;

    return false;
}

但不能完美地工作,因为如果您输入超过 3 个字符然后转到行首,您可以删除常量字符串。

我刚刚想到的另一种方法是向 TextView 小部件添加标签。我这样做了,但是用户仍然可以删除它。这是代码:

Gtk::TextBuffer::iterator it = buffer_input_->get_iter_at_line(1);
Glib::RefPtr<Gtk::TextChildAnchor> refAnchor = buffer_input_->create_child_anchor(it);
Gtk::Label* lbl = Gtk::manage(new Gtk::Label("> "));
txt_view_i_.add_child_at_anchor(*lbl, refAnchor);
4

2 回答 2

1

这与我在此处回答的问题非常相似,但并不完全相同:您可以创建一个GtkTextTag使其内容不可编辑的内容,并将其从缓冲区的开头应用到提示符(包括"> "提示符)。

然后,当您收到输入时,将输出附加到缓冲区,然后在下一行附加一个新提示,并重新应用标记以使整个内容不可编辑。

链接答案中的链接显示了一些完成此操作的 C 代码,甚至包括提示。它不是 Gtkmm 或 C++,但它应该用作说明。

于 2013-12-04T08:18:34.153 回答
0

这是我用来解决它的代码:

Glib::RefPtr<Gtk::TextBuffer::Tag> tag = Gtk::TextBuffer::Tag::create();
tag->property_editable() = false;
Glib::RefPtr<Gtk::TextBuffer::TagTable> tag_table =  Gtk::TextBuffer::TagTable::create();
tag_table->add(tag);
buffer_input_ = Gtk::TextBuffer::create(tag_table);
txt_view_i_.set_buffer(buffer_input_);
scroll_win_i_.add(txt_view_i_);

Gtk::TextBuffer::iterator buffer_it_ = buffer_input_->begin();
buffer_input_->insert_with_tag(buffer_it_, "> ", tag);

这是我的制作方法,以便用户无法在常量字符串之前进行编辑:

//connect to the mark set signal
buffer_input_->signal_mark_set().connect(sigc::mem_fun(*this, &MainWindow::setMark));

//make the box uneditable
void MainWindow::setMark(const Gtk::TextBuffer::iterator& it, const Glib::RefPtr<Gtk::TextBuffer::Mark>& mark)
{
    if(it.get_offset() < 2)
        txt_view_i_.set_editable(false);
    else
        txt_view_i_.set_editable(true);
}

希望有人会发现这很有用。

于 2013-12-04T22:26:02.773 回答