항목을 확인한 후 어떤 CheckedListBox 이벤트가 트리거됩니까?
새 상태에서 CheckedItems를 사용할 수 있도록 항목을 확인한 후 이벤트를 원하는 CheckedListBox가 있습니다.
CheckedItems가 업데이트되기 전에 ItemChecked가 실행되기 때문에 즉시 작동하지 않습니다.
CheckedItems가 업데이트 될 때 알림을 받으려면 어떤 종류의 메서드 나 이벤트를 사용할 수 있습니까?
ItemCheck
클릭되는 항목의 새로운 상태도 확인하면 이벤트 를 사용할 수 있습니다 . 이벤트 인수에서 e.NewValue
. 경우에 NewValue
선택되어, 당신의 논리에 적절한 컬렉션과 함께 현재 항목을 포함한다 :
private void checkedListBox1_ItemCheck(object sender, ItemCheckEventArgs e)
{
List<string> checkedItems = new List<string>();
foreach (var item in checkedListBox1.CheckedItems)
checkedItems.Add(item.ToString());
if (e.NewValue == CheckState.Checked)
checkedItems.Add(checkedListBox1.Items[e.Index].ToString());
else
checkedItems.Remove(checkedListBox1.Items[e.Index].ToString());
foreach (string item in checkedItems)
{
...
}
}
또 다른 예로,이 항목을 (un-) 체크 한 후 컬렉션이 비어 있는지 확인하려면 :
private void ListProjects_ItemCheck(object sender, ItemCheckEventArgs args)
{
if (ListProjects.CheckedItems.Count == 1 && args.NewValue == CheckState.Unchecked)
// The collection is about to be emptied: there's just one item checked, and it's being unchecked at this moment
...
else
// The collection will not be empty once this click is handled
...
}
이것에 관한 많은 관련 StackOverflow 게시물이 있습니다 ... Branimir의 솔루션 뿐만 아니라 다음과 같은 두 가지 간단한 솔루션이 있습니다.
ItemCheck에서 지연된 실행 ( 여기에도 있음 ) :
void checkedListBox1_ItemCheck(object sender, ItemCheckEventArgs e)
{
this.BeginInvoke((MethodInvoker) (
() => Console.WriteLine(checkedListBox1.SelectedItems.Count)));
}
void checkedListBox1_MouseUp(object sender, MouseEventArgs e)
{
Console.WriteLine(checkedListBox1.SelectedItems.Count);
}
첫 번째 옵션을 선호합니다. 두 번째 옵션은 오탐 (즉, 너무 자주 실행 됨)을 초래하기 때문입니다.
나는 이것을 시도했고 효과가 있었다.
private void clbOrg_ItemCheck(object sender, ItemCheckEventArgs e)
{
CheckedListBox clb = (CheckedListBox)sender;
// Switch off event handler
clb.ItemCheck -= clbOrg_ItemCheck;
clb.SetItemCheckState(e.Index, e.NewValue);
// Switch on event handler
clb.ItemCheck += clbOrg_ItemCheck;
// Now you can go further
CallExternalRoutine();
}
파생 CheckedListBox
및 구현
/// <summary>
/// Raises the <see cref="E:System.Windows.Forms.CheckedListBox.ItemCheck"/> event.
/// </summary>
/// <param name="ice">An <see cref="T:System.Windows.Forms.ItemCheckEventArgs"/> that contains the event data.
/// </param>
protected override void OnItemCheck(ItemCheckEventArgs e)
{
base.OnItemCheck(e);
EventHandler handler = AfterItemCheck;
if (handler != null)
{
Delegate[] invocationList = AfterItemCheck.GetInvocationList();
foreach (var receiver in invocationList)
{
AfterItemCheck -= (EventHandler) receiver;
}
SetItemCheckState(e.Index, e.NewValue);
foreach (var receiver in invocationList)
{
AfterItemCheck += (EventHandler) receiver;
}
}
OnAfterItemCheck(EventArgs.Empty);
}
public event EventHandler AfterItemCheck;
public void OnAfterItemCheck(EventArgs e)
{
EventHandler handler = AfterItemCheck;
if (handler != null)
handler(this, e);
}
이상적이지는 않지만 ItemCheck
이벤트 로 전달되는 인수를 사용하여 CheckedItems를 계산할 수 있습니다 . MSDN 에서이 예제 를 보면 새로 변경된 항목이 선택되었는지 여부를 확인할 수 있으므로 항목 작업에 적합한 위치에있게됩니다.
항목이 확인 된 후 실행되는 새 이벤트를 생성하여 원하는 경우 원하는 것을 정확하게 제공 할 수도 있습니다.
몇 가지 테스트 후 ItemCheck 이벤트 후에 SelectedIndexChanged 이벤트가 트리거되는 것을 볼 수 있습니다. 속성 CheckOnClick True 유지
최고의 코딩
이것은 작동하지만 얼마나 우아한 지 확실하지 않습니다!
Private Sub chkFilters_Changed(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles chkFilters.ItemCheck
Static Updating As Boolean
If Updating Then Exit Sub
Updating = True
Dim cmbBox As CheckedListBox = sender
Dim Item As ItemCheckEventArgs = e
If Item.NewValue = CheckState.Checked Then
cmbBox.SetItemChecked(Item.Index, True)
Else
cmbBox.SetItemChecked(Item.Index, False)
End If
'Do something with the updated checked box
Call LoadListData(Me, False)
Updating = False
End Sub
이것이 적용되는지는 모르지만 체크리스트 상자를 사용하여 결과를 필터링하고 싶었습니다. 그래서 사용자가 항목을 선택하고 선택 취소함에 따라 목록에 항목을 표시 / 숨기기를 원했습니다.
이 게시물로 이끄는 몇 가지 문제가 있습니다. 특별한 것없이 어떻게했는지 공유하고 싶었습니다.
참고 : CheckOnClick = true가 있지만 아마도
내가 사용하는 이벤트는 " SelectedIndexChanged "입니다.
the enumeration I use is ".CheckedItems"
This give the results I think we may expect. So simplified it comes down to ....
private void clb1_SelectedIndexChanged(object sender, EventArgs e)
{
// This just spits out what is selected for testing
foreach (string strChoice in clb1.CheckedItems)
{
listBox1.Items.Add(strChoice);
}
//Something more like what I'm actually doing
foreach (object myRecord in myRecords)
{
if (clb1.CheckItems.Contains(myRecord["fieldname"])
{
//Display this record
}
}
}
Assuming you want to preserve the arguments from ItemCheck
but get notified after the model was changed it should look like that:
CheckedListBox ctrl = new CheckedListBox();
ctrl.ItemCheck += (s, e) => BeginInvoke((MethodInvoker)(() => CheckedItemsChanged(s, e)));
Where CheckedItemsChanged
could be:
private void CheckedItemsChanged(object sender, EventArgs e)
{
DoYourThing();
}
I use a Timer to solve this problem. Enable the timer via the ItemCheck event. Take action in the Timer's Tick event.
This works whether the item is checked via a mouse click or by pressing the Space-Bar. We'll take advantage of the fact that the item just checked (or un-checked) is always the Selected Item.
The Timer's Interval can be as low as 1. By the time the Tick event is raised, the new Checked status will be set.
This VB.NET code shows the concept. There are many variations you can employ. You may want to increase the Timer's Interval to allow the user to change the check status on several items before taking action. Then in the Tick event, make a sequential pass of all the Items in the List or use its CheckedItems collection to take appropriate action.
That's why we first disable the Timer in the ItemCheck event. Disable then Enable causes the Interval period to re-start.
Private Sub ckl_ItemCheck(ByVal sender As Object, _
ByVal e As System.Windows.Forms.ItemCheckEventArgs) _
Handles ckl.ItemCheck
tmr.Enabled = False
tmr.Enabled = True
End Sub
Private Sub tmr_Tick(ByVal sender As System.Object, _
ByVal e As System.EventArgs) _
Handles tmr.Tick
tmr.Enabled = False
Debug.Write(ckl.SelectedIndex)
Debug.Write(": ")
Debug.WriteLine(ckl.GetItemChecked(ckl.SelectedIndex).ToString)
End Sub
In normal behaviour, when we check one item, the item's check state will change before the event handler is raised. But a CheckListBox has a different behaviour: The event handler is raised before the check state of the item changes and that makes it difficult to correct our jobs.
In my opinion, to solve this problem, we should defer the event handler.
private void _clb_ItemCheck(object sender, ItemCheckEventArgs e) {
// Defer event handler execution
Task.Factory.StartNew(() => {
Thread.Sleep(1000);
// Do your job at here
})
.ContinueWith(t => {
// Then update GUI at here
},TaskScheduler.FromCurrentSynchronizationContext());}
'programing' 카테고리의 다른 글
비밀번호 재설정을 구현하는 방법? (0) | 2020.10.05 |
---|---|
Android 프로젝트에서 대상 빌드를 변경하는 방법은 무엇입니까? (0) | 2020.10.05 |
Java에서 Long에서 Double로 변환 (0) | 2020.10.05 |
PHP 파일에서 반환 배열을로드하는 방법은 무엇입니까? (0) | 2020.10.05 |
Python에서 문자열이 대문자, 소문자 또는 대소 문자 혼합인지 확인 (0) | 2020.10.05 |