将文本放在文本框中的鼠标位置
本文关键字:文本 鼠标 位置 | 更新日期: 2023-09-27 18:35:14
尽管有许多类似的问题,但我还是无法找到答案。我想做的是:
我有一个带有一些文本的文本框和几个带有图片的图片框。如果我执行从图片到文本框的拖放操作,则应在放置光标的位置(即鼠标向上事件发生的位置)将一些文本插入到文本框中。
第一部分很好:
private void pictureBox1_MouseDown(object sender, MouseEventArgs e) {
// Create custom text ...
pictureBox1.DoDragDrop("Some custom text", DragDropEffects.Copy);
}
private void textBox1_DragEnter(object sender, DragEventArgs e) {
if (e.Data.GetDataPresent(DataFormats.Text))
e.Effect = DragDropEffects.Copy;
else
e.Effect = DragDropEffects.None;
}
我的问题是如何定义将文本放在哪里:
private void textBox1_DragDrop(object sender, DragEventArgs e) {
textBox1.Text.Insert(CORRECT_POSITION, e.Data.GetData(DataFormats.Text).ToString());
}
有什么建议吗?
编辑:我试图用GetCharIndexFromPosition()获得正确的位置,但它似乎没有返回正确的位置。下面的代码确实返回了一个字符位置,但我不知道它从哪里得到它。不过,很明显,它并不代表光标的位置。
private void textBox1_DragDrop(object sender, DragEventArgs e) {
TextBox textBox1 = (TextBox)sender;
System.Drawing.Point position = new System.Drawing.Point(e.X, e.Y);
int index = textBox1.GetCharIndexFromPosition(position);
MessageBox.Show(index.ToString());
}
您需要将
当前鼠标位置转换为文本框中的客户端坐标。 此外,还可以在 DragOver() 事件中移动插入点,以便用户可以看到文本的插入位置:
private void pictureBox1_MouseMove(object sender, MouseEventArgs e)
{
if (e.Button == System.Windows.Forms.MouseButtons.Left)
{
pictureBox1.DoDragDrop("duck", DragDropEffects.Copy);
}
}
void textBox1_DragEnter(object sender, DragEventArgs e)
{
if (e.Data.GetDataPresent(DataFormats.Text))
e.Effect = DragDropEffects.All;
else
e.Effect = DragDropEffects.None;
}
void textBox1_DragOver(object sender, DragEventArgs e)
{
int index = textBox1.GetCharIndexFromPosition(textBox1.PointToClient(Cursor.Position));
textBox1.SelectionStart = index;
textBox1.SelectionLength = 0;
}
void textBox1_DragDrop(object sender, DragEventArgs e)
{
string txt = e.Data.GetData(DataFormats.Text).ToString();
int index = textBox1.GetCharIndexFromPosition(textBox1.PointToClient(Cursor.Position));
textBox1.SelectionStart = index;
textBox1.SelectionLength = 0;
textBox1.SelectedText = txt;
}