ToolStripProgressBar 클래스
정의
중요
일부 정보는 릴리스되기 전에 상당 부분 수정될 수 있는 시험판 제품과 관련이 있습니다. Microsoft는 여기에 제공된 정보에 대해 어떠한 명시적이거나 묵시적인 보증도 하지 않습니다.
StatusStrip에 포함된 Windows ProgressBar 컨트롤을 나타냅니다.
public ref class ToolStripProgressBar : System::Windows::Forms::ToolStripControlHost
public class ToolStripProgressBar : System.Windows.Forms.ToolStripControlHost
type ToolStripProgressBar = class
inherit ToolStripControlHost
Public Class ToolStripProgressBar
Inherits ToolStripControlHost
- 상속
- 상속
-
ToolStripProgressBar
예제
다음 코드 예제는 ToolStripProgressBar 피보나치 숫자 시퀀스를 계산 하는 합니다.
using System;
using System.Collections.Generic;
using System.Windows.Forms;
using System.ComponentModel;
class FibonacciNumber : Form
{
[STAThread]
static void Main()
{
Application.EnableVisualStyles();
Application.Run(new FibonacciNumber());
}
private StatusStrip progressStatusStrip;
private ToolStripProgressBar toolStripProgressBar;
private NumericUpDown requestedCountControl;
private Button goButton;
private TextBox outputTextBox;
private BackgroundWorker backgroundWorker;
private ToolStripStatusLabel toolStripStatusLabel;
private int requestedCount;
public FibonacciNumber()
{
Text = "Fibonacci";
// Prepare the StatusStrip.
progressStatusStrip = new StatusStrip();
toolStripProgressBar = new ToolStripProgressBar();
toolStripProgressBar.Enabled = false;
toolStripStatusLabel = new ToolStripStatusLabel();
progressStatusStrip.Items.Add(toolStripProgressBar);
progressStatusStrip.Items.Add(toolStripStatusLabel);
FlowLayoutPanel flp = new FlowLayoutPanel();
flp.Dock = DockStyle.Top;
Label beforeLabel = new Label();
beforeLabel.Text = "Calculate the first ";
beforeLabel.AutoSize = true;
flp.Controls.Add(beforeLabel);
requestedCountControl = new NumericUpDown();
requestedCountControl.Maximum = 1000;
requestedCountControl.Minimum = 1;
requestedCountControl.Value = 100;
flp.Controls.Add(requestedCountControl);
Label afterLabel = new Label();
afterLabel.Text = "Numbers in the Fibonacci sequence.";
afterLabel.AutoSize = true;
flp.Controls.Add(afterLabel);
goButton = new Button();
goButton.Text = "&Go";
goButton.Click += new System.EventHandler(button1_Click);
flp.Controls.Add(goButton);
outputTextBox = new TextBox();
outputTextBox.Multiline = true;
outputTextBox.ReadOnly = true;
outputTextBox.ScrollBars = ScrollBars.Vertical;
outputTextBox.Dock = DockStyle.Fill;
Controls.Add(outputTextBox);
Controls.Add(progressStatusStrip);
Controls.Add(flp);
backgroundWorker = new BackgroundWorker();
backgroundWorker.WorkerReportsProgress = true;
backgroundWorker.DoWork += new DoWorkEventHandler(backgroundWorker1_DoWork);
backgroundWorker.RunWorkerCompleted += new RunWorkerCompletedEventHandler(backgroundWorker1_RunWorkerCompleted);
backgroundWorker.ProgressChanged += new ProgressChangedEventHandler(backgroundWorker1_ProgressChanged);
}
private void backgroundWorker1_DoWork(object sender, DoWorkEventArgs e)
{
// This method will run on a thread other than the UI thread.
// Be sure not to manipulate any Windows Forms controls created
// on the UI thread from this method.
backgroundWorker.ReportProgress(0, "Working...");
Decimal lastlast = 0;
Decimal last = 1;
Decimal current;
if (requestedCount >= 1)
{ AppendNumber(0); }
if (requestedCount >= 2)
{ AppendNumber(1); }
for (int i = 2; i < requestedCount; ++i)
{
// Calculate the number.
checked { current = lastlast + last; }
// Introduce some delay to simulate a more complicated calculation.
System.Threading.Thread.Sleep(100);
AppendNumber(current);
backgroundWorker.ReportProgress((100 * i) / requestedCount, "Working...");
// Get ready for the next iteration.
lastlast = last;
last = current;
}
backgroundWorker.ReportProgress(100, "Complete!");
}
private delegate void AppendNumberDelegate(Decimal number);
private void AppendNumber(Decimal number)
{
if (outputTextBox.InvokeRequired)
{ outputTextBox.Invoke(new AppendNumberDelegate(AppendNumber), number); }
else
{ outputTextBox.AppendText(number.ToString("N0") + Environment.NewLine); }
}
private void backgroundWorker1_ProgressChanged(object sender, ProgressChangedEventArgs e)
{
toolStripProgressBar.Value = e.ProgressPercentage;
toolStripStatusLabel.Text = e.UserState as String;
}
private void backgroundWorker1_RunWorkerCompleted(object sender, RunWorkerCompletedEventArgs e)
{
if (e.Error is OverflowException)
{ outputTextBox.AppendText(Environment.NewLine + "**OVERFLOW ERROR, number is too large to be represented by the decimal data type**"); }
toolStripProgressBar.Enabled = false;
requestedCountControl.Enabled = true;
goButton.Enabled = true;
}
private void button1_Click(object sender, EventArgs e)
{
goButton.Enabled = false;
toolStripProgressBar.Enabled = true;
requestedCount = (int)requestedCountControl.Value;
requestedCountControl.Enabled = false;
outputTextBox.Clear();
backgroundWorker.RunWorkerAsync();
}
}
Imports System.Collections.Generic
Imports System.Windows.Forms
Imports System.ComponentModel
Class FibonacciNumber
Inherits Form
<STAThread()> _
Shared Sub Main()
Application.EnableVisualStyles()
Application.Run(New FibonacciNumber())
End Sub
Private progressStatusStrip As StatusStrip
Private toolStripProgressBar As ToolStripProgressBar
Private requestedCountControl As NumericUpDown
Private goButton As Button
Private outputTextBox As TextBox
Private backgroundWorker As BackgroundWorker
Private toolStripStatusLabel As ToolStripStatusLabel
Private requestedCount As Integer
Public Sub New()
[Text] = "Fibonacci"
' Prepare the StatusStrip.
progressStatusStrip = New StatusStrip()
toolStripProgressBar = New ToolStripProgressBar()
toolStripProgressBar.Enabled = False
toolStripStatusLabel = New ToolStripStatusLabel()
progressStatusStrip.Items.Add(toolStripProgressBar)
progressStatusStrip.Items.Add(toolStripStatusLabel)
Dim flp As New FlowLayoutPanel()
flp.Dock = DockStyle.Top
Dim beforeLabel As New Label()
beforeLabel.Text = "Calculate the first "
beforeLabel.AutoSize = True
flp.Controls.Add(beforeLabel)
requestedCountControl = New NumericUpDown()
requestedCountControl.Maximum = 1000
requestedCountControl.Minimum = 1
requestedCountControl.Value = 100
flp.Controls.Add(requestedCountControl)
Dim afterLabel As New Label()
afterLabel.Text = "Numbers in the Fibonacci sequence."
afterLabel.AutoSize = True
flp.Controls.Add(afterLabel)
goButton = New Button()
goButton.Text = "&Go"
AddHandler goButton.Click, AddressOf button1_Click
flp.Controls.Add(goButton)
outputTextBox = New TextBox()
outputTextBox.Multiline = True
outputTextBox.ReadOnly = True
outputTextBox.ScrollBars = ScrollBars.Vertical
outputTextBox.Dock = DockStyle.Fill
Controls.Add(outputTextBox)
Controls.Add(progressStatusStrip)
Controls.Add(flp)
backgroundWorker = New BackgroundWorker()
backgroundWorker.WorkerReportsProgress = True
AddHandler backgroundWorker.DoWork, AddressOf backgroundWorker1_DoWork
AddHandler backgroundWorker.RunWorkerCompleted, AddressOf backgroundWorker1_RunWorkerCompleted
AddHandler backgroundWorker.ProgressChanged, AddressOf backgroundWorker1_ProgressChanged
End Sub
Private Sub backgroundWorker1_DoWork(sender As Object, e As DoWorkEventArgs)
' This method will run on a thread other than the UI thread.
' Be sure not to manipulate any Windows Forms controls created
' on the UI thread from this method.
backgroundWorker.ReportProgress(0, "Working...")
Dim lastlast As [Decimal] = 0
Dim last As [Decimal] = 1
Dim current As [Decimal]
If requestedCount >= 1 Then
AppendNumber(0)
End If
If requestedCount >= 2 Then
AppendNumber(1)
End If
Dim i As Integer
While i < requestedCount
' Calculate the number.
current = lastlast + last
' Introduce some delay to simulate a more complicated calculation.
System.Threading.Thread.Sleep(100)
AppendNumber(current)
backgroundWorker.ReportProgress(100 * i / requestedCount, "Working...")
' Get ready for the next iteration.
lastlast = last
last = current
i += 1
End While
backgroundWorker.ReportProgress(100, "Complete!")
End Sub
Delegate Sub AppendNumberDelegate(number As [Decimal])
Private Sub AppendNumber(number As [Decimal])
If outputTextBox.InvokeRequired Then
outputTextBox.Invoke(New AppendNumberDelegate(AddressOf AppendNumber), number)
Else
outputTextBox.AppendText((number.ToString("N0") + Environment.NewLine))
End If
End Sub
Private Sub backgroundWorker1_ProgressChanged(sender As Object, e As ProgressChangedEventArgs)
toolStripProgressBar.Value = e.ProgressPercentage
toolStripStatusLabel.Text = e.UserState '
End Sub
Private Sub backgroundWorker1_RunWorkerCompleted(sender As Object, e As RunWorkerCompletedEventArgs)
If TypeOf e.Error Is OverflowException Then
outputTextBox.AppendText((Environment.NewLine + "**OVERFLOW ERROR, number is too large to be represented by the decimal data type**"))
End If
toolStripProgressBar.Enabled = False
requestedCountControl.Enabled = True
goButton.Enabled = True
End Sub
Private Sub button1_Click(sender As Object, e As EventArgs)
goButton.Enabled = False
toolStripProgressBar.Enabled = True
requestedCount = Fix(requestedCountControl.Value)
requestedCountControl.Enabled = False
outputTextBox.Clear()
backgroundWorker.RunWorkerAsync()
End Sub
End Class
설명
ToolStripProgressBar ProgressBar 의 호스팅을 위해 최적화를 ToolStrip입니다. 호스팅된 컨트롤의 속성 및 이벤트의 하위 집합에 노출 되는 ToolStripProgressBar 수준 이지만 기본 ProgressBar 제어를 통해 완벽 하 게 액세스할 수는 ProgressBar 속성입니다.
ToolStripProgressBar 컨트롤 시간이 오래 걸리는 작업의 진행률을 시각적으로 나타냅니다. ToolStripProgressBar 왼쪽에서 오른쪽 시스템과 강조는 작업이 진행 됨에 따라 색으로 채워지는 막대를 표시 합니다.
참고
ToolStripProgressBar 컨트롤만 가로 방향 수 있습니다.
ToolStripProgressBar 컨트롤에는 애플리케이션 파일을 복사 하거나 문서 인쇄 등의 작업을 수행 하는 경우 일반적으로 사용 됩니다. 애플리케이션의 사용자는 애플리케이션 시각적 표시가 없습니다 있으면 응답 하지 않는 고려할 수 있습니다. 사용 하 여는 ToolStripProgressBar 는 애플리케이션이 오래 실행 수행 되는 사용자에 게 작업 및 애플리케이션이 계속 응답 합니다.
합니다 Maximum 및 Minimum 속성 작업의 진행률을 나타내는 값의 범위를 정의 합니다. 합니다 Minimum 일반적으로 속성 값이 0 및 Maximum 속성은 일반적으로 작업의 완료를 나타내는 값으로 설정 됩니다. 예를 들어, 여러 파일을 복사 하는 경우 제대로 진행률을 표시 하는 Maximum 복사할 파일의 총 수 속성을 설정할 수 있습니다. Value 속성 작업 완료에 대 한 애플리케이션이 수행한 진행률을 나타냅니다. 값을 표시 하 여 컨트롤에 표시 되는 표시줄 블록의 컬렉션 이기 때문에 합니다 ToolStripProgressBar 대략적는 Value 속성의 현재 값입니다. 크기를 기준으로 합니다 ToolStripProgressBar, Value 속성 다음 블록에 표시할 시기를 결정 합니다.
표시 되는 값을 수정 하는 방법의 여러 가지는 ToolStripProgressBar 변경 이외의 Value 속성을 직접. 사용할 수 있습니다는 Step 속성을 증가 시킬 특정 값을 지정 합니다 Value 에서 속성과 호출은 PerformStep 값이 증가 하는 방법. 증가값 다를 사용할 수 있습니다 합니다 Increment 메서드 증분되는 값을 지정 합니다 Value 속성입니다.
ToolStripProgressBar 이전 대체 ProgressBar 그럼에도 불구 하 고 이전 버전과 호환성을 위해 유지 하는 컨트롤입니다.
생성자
ToolStripProgressBar() |
ToolStripProgressBar 클래스의 새 인스턴스를 초기화합니다. |
ToolStripProgressBar(String) |
지정된 이름을 사용하여 ToolStripProgressBar 클래스의 새 인스턴스를 초기화합니다. |
속성
AccessibilityObject |
컨트롤에 할당된 AccessibleObject를 가져옵니다. (다음에서 상속됨 ToolStripItem) |
AccessibleDefaultActionDescription |
내게 필요한 옵션 지원 클라이언트 애플리케이션에서 사용되는 컨트롤의 기본 작업 설명을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
AccessibleDescription |
내게 필요한 옵션 지원 클라이언트 애플리케이션에 보고할 설명을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
AccessibleName |
내게 필요한 옵션 지원 클라이언트 애플리케이션에서 사용할 컨트롤의 이름을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
AccessibleRole |
컨트롤의 사용자 인터페이스 요소 형식을 지정하는 내게 필요한 옵션 지원 역할을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Alignment |
항목이 ToolStrip의 시작 부분 방향으로 맞춰지는지 아니면 끝 부분 방향으로 맞춰지는지 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
AllowDrop |
사용자가 구현한 이벤트를 통해 끌어서 놓기 및 항목 다시 정렬을 처리할지 여부를 나타내는 값 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Anchor |
ToolStripItem이 바인딩되는 컨테이너의 가장자리를 가져오거나 설정하고 해당 부모를 기초로 ToolStripItem 크기를 조정하는 방법을 결정합니다. (다음에서 상속됨 ToolStripItem) |
AutoSize |
항목의 크기가 자동으로 조정되는지 여부를 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
AutoToolTip |
ToolTipText 도구 설명에 Text 속성 또는 ToolStripItem 속성을 사용할지 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Available |
ToolStripItem에 ToolStrip을 배치해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
BackColor |
컨트롤의 배경색을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
BackgroundImage |
이 속성은 이 클래스와 관련이 없습니다. |
BackgroundImageLayout |
이 속성은 이 클래스와 관련이 없습니다. |
BindingContext |
IBindableComponent에 대한 현재 위치 관리자의 컬렉션을 가져오거나 설정합니다. (다음에서 상속됨 BindableComponent) |
Bounds |
항목의 크기와 위치를 가져옵니다. (다음에서 상속됨 ToolStripItem) |
CanRaiseEvents |
구성 요소가 이벤트를 발생시킬 수 있는지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 Component) |
CanSelect |
컨트롤을 선택할 수 있는지를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripControlHost) |
CausesValidation |
호스팅된 컨트롤이 포커스를 받을 때 다른 컨트롤에 대해 유효성 검사 이벤트를 발생시키는지 여부를 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
Command |
ToolStripItem의 Click 이벤트가 호출될 때 메서드가 호출되는 을 가져오거나 설정합니다.ICommandExecute(Object) (다음에서 상속됨 ToolStripItem) |
CommandParameter |
속성에 할당된 에 ICommand 전달되는 매개 변수를 Command 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Container |
IContainer을 포함하는 Component를 가져옵니다. (다음에서 상속됨 Component) |
ContentRectangle |
배경 테두리를 덮어쓰기 않고 ToolStripItem 안에 텍스트와 아이콘 같은 내용을 배치할 수 있는 영역을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
Control |
이 Control가 호스팅하는 ToolStripControlHost을 가져옵니다. (다음에서 상속됨 ToolStripControlHost) |
ControlAlign |
폼에 있는 컨트롤의 맞춤 방식을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
DataBindings |
이 IBindableComponent에 대한 데이터 바인딩 개체의 컬렉션을 가져옵니다. (다음에서 상속됨 BindableComponent) |
DefaultAutoToolTip |
기본값으로 정의된 ToolTip을 표시할지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
DefaultDisplayStyle |
ToolStripItem에 표시되는 대상을 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
DefaultMargin |
ToolStripProgressBar와 인접 항목 간의 간격을 가져옵니다. |
DefaultPadding |
항목의 내부 간격 특징을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
DefaultSize |
ToolStripProgressBar의 높이와 너비(픽셀)를 가져옵니다. |
DesignMode |
Component가 현재 디자인 모드인지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 Component) |
DismissWhenClicked |
ToolStripDropDown에 있는 항목을 클릭할 경우 해당 항목을 숨길지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
DisplayStyle |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
Dock |
부모 컨트롤에 도킹된 ToolStripItem 테두리를 가져오거나 설정하고 ToolStripItem이 부모와 함께 크기 조정되는 방법을 확인합니다. (다음에서 상속됨 ToolStripItem) |
DoubleClickEnabled |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
Enabled |
ToolStripItem의 부모 컨트롤을 사용할 수 있는지 여부를 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
Events |
이 Component에 연결된 이벤트 처리기의 목록을 가져옵니다. (다음에서 상속됨 Component) |
Focused |
컨트롤에 입력 포커스가 있는지를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripControlHost) |
Font |
호스팅된 컨트롤에서 사용되는 글꼴을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
ForeColor |
호스팅된 컨트롤의 전경색을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
Height |
ToolStripItem의 높이(픽셀)를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Image |
개체와 연결된 이미지입니다. (다음에서 상속됨 ToolStripControlHost) |
ImageAlign |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
ImageIndex |
항목에 표시되는 이미지의 인덱스 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
ImageKey |
ImageList에 표시되는 ToolStripItem에서 이미지의 키 접근자를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
ImageScaling |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
ImageTransparentColor |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
IsDisposed |
개체가 삭제되었는지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
IsOnDropDown |
현재 Control의 컨테이너가 ToolStripDropDown인지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
IsOnOverflow |
Placement 속성이 Overflow로 설정되었는지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
Margin |
항목과 인접 항목 사이의 간격을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
MarqueeAnimationSpeed |
각 Marquee 표시 업데이트 사이의 지연 시간(밀리초)을 나타내는 값을 가져오거나 설정합니다. |
Maximum |
이 ToolStripProgressBar에 대해 정의된 범위의 상한을 가져오거나 설정합니다. |
MergeAction |
자식 메뉴가 부모 메뉴에 병합되는 방법을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
MergeIndex |
현재 ToolStrip 안에 병합된 항목의 위치를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Minimum |
이 ToolStripProgressBar에 대해 정의된 범위의 하한을 가져오거나 설정합니다. |
Name |
항목의 이름을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Overflow |
항목이 ToolStrip이나 ToolStripOverflowButton에 연결되었는지 아니면 둘 사이에 부동 상태로 있을 수 있는지 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Owner |
이 항목의 소유자를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
OwnerItem |
이 ToolStripItem의 부모 ToolStripItem를 가져옵니다. (다음에서 상속됨 ToolStripItem) |
Padding |
항목의 내용과 가장자리 사이의 내부 간격(픽셀)을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Parent |
ToolStripItem의 부모 컨테이너를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Placement |
항목의 현재 레이아웃을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
Pressed |
항목이 누름 상태인지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
ProgressBar |
ProgressBar를 가져옵니다. |
Renderer |
StatusStrip에 포함된 Windows ProgressBar 컨트롤을 나타냅니다. (다음에서 상속됨 ToolStripItem) |
RightToLeft |
오른쪽에서 왼쪽으로 쓰는 글꼴을 사용하는 로캘을 지원하도록 컨트롤 요소가 정렬되어 있는지를 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
RightToLeftAutoMirrorImage |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
RightToLeftLayout |
ToolStripProgressBar 속성이 RightToLeft로 설정된 경우 Yes 레이아웃이 오른쪽에서 왼쪽 방향인지 아니면 왼쪽에서 오른쪽 방향인지를 나타내는 값을 가져오거나 설정합니다. |
Selected |
항목이 선택되었는지 여부를 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripControlHost) |
ShowKeyboardCues |
바로 가기 키를 표시할지 아니면 숨길지 나타내는 값을 가져옵니다. (다음에서 상속됨 ToolStripItem) |
Site |
호스팅된 컨트롤의 사이트를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
Size |
ToolStripItem의 크기를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripControlHost) |
Step |
ToolStripProgressBar 메서드가 호출될 때 PerformStep()의 현재 값을 증분시킬 양을 가져오거나 설정합니다. |
Style |
ToolStripProgressBar의 스타일을 가져오거나 설정합니다. |
Tag |
항목에 대한 데이터를 포함하는 개체를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Text |
ToolStripProgressBar에 표시되는 텍스트를 가져오거나 설정합니다. |
TextAlign |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
TextDirection |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
TextImageRelation |
이 속성은 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
ToolTipText |
컨트롤의 ToolTip으로 표시되는 텍스트를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Value |
ToolStripProgressBar의 현재 값을 가져오거나 설정합니다. |
Visible |
항목이 표시되는지 여부를 나타내는 값을 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
Width |
ToolStripItem의 너비(픽셀)를 가져오거나 설정합니다. (다음에서 상속됨 ToolStripItem) |
메서드
이벤트
AvailableChanged |
Available 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
BackColorChanged |
BackColor 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
BindingContextChanged |
바인딩 컨텍스트가 변경된 경우에 발생합니다. (다음에서 상속됨 BindableComponent) |
Click |
ToolStripItem을 클릭하면 발생합니다. (다음에서 상속됨 ToolStripItem) |
CommandCanExecuteChanged |
속성에 CanExecute(Object) 할당된 Command 의 ICommand 상태 변경된 경우에 발생합니다. (다음에서 상속됨 ToolStripItem) |
CommandChanged |
할당된 ICommand 속성이 Command 변경된 경우에 발생합니다. (다음에서 상속됨 ToolStripItem) |
CommandParameterChanged |
CommandParameter 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
DisplayStyleChanged |
이 이벤트는 이 클래스와 관련이 없습니다. (다음에서 상속됨 ToolStripControlHost) |
Disposed |
Dispose() 메서드를 호출하여 구성 요소를 삭제할 때 발생합니다. (다음에서 상속됨 Component) |
DoubleClick |
항목을 마우스로 두 번 클릭하면 발생합니다. (다음에서 상속됨 ToolStripItem) |
DragDrop |
사용자가 항목을 끌어 이 항목에 해당 항목을 놓도록 마우스를 놓을 때 발생합니다. (다음에서 상속됨 ToolStripItem) |
DragEnter |
사용자가 이 항목의 클라이언트 영역으로 항목을 끌 때 발생합니다. (다음에서 상속됨 ToolStripItem) |
DragLeave |
사용자가 항목을 끌어 마우스 포인터가 이 항목의 클라이언트 영역에서 벗어날 때 발생합니다. (다음에서 상속됨 ToolStripItem) |
DragOver |
사용자가 이 항목의 클라이언트 영역 위로 항목을 끌 때 발생합니다. (다음에서 상속됨 ToolStripItem) |
EnabledChanged |
Enabled 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
Enter |
호스팅된 컨트롤이 입력되면 발생합니다. (다음에서 상속됨 ToolStripControlHost) |
ForeColorChanged |
ForeColor 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
GiveFeedback |
끌기 작업을 수행하는 동안 발생합니다. (다음에서 상속됨 ToolStripItem) |
GotFocus |
호스팅된 컨트롤이 포커스를 받으면 발생합니다. (다음에서 상속됨 ToolStripControlHost) |
KeyDown |
이 이벤트는 이 클래스와 관련이 없습니다. |
KeyPress |
이 이벤트는 이 클래스와 관련이 없습니다. |
KeyUp |
이 이벤트는 이 클래스와 관련이 없습니다. |
Leave |
입력 포커스가 호스팅된 컨트롤을 벗어나면 발생합니다. (다음에서 상속됨 ToolStripControlHost) |
LocationChanged |
이 이벤트는 이 클래스와 관련이 없습니다. |
LostFocus |
호스팅된 컨트롤이 포커스를 잃으면 발생합니다. (다음에서 상속됨 ToolStripControlHost) |
MouseDown |
마우스 포인터가 항목 위에 있을 때 마우스 단추를 클릭하면 발생합니다. (다음에서 상속됨 ToolStripItem) |
MouseEnter |
마우스 포인터가 항목에 진입하면 발생합니다. (다음에서 상속됨 ToolStripItem) |
MouseHover |
마우스 포인터로 항목을 가리키면 발생합니다. (다음에서 상속됨 ToolStripItem) |
MouseLeave |
마우스 포인터가 항목을 벗어나면 발생합니다. (다음에서 상속됨 ToolStripItem) |
MouseMove |
마우스 포인터를 항목 위로 이동하면 발생합니다. (다음에서 상속됨 ToolStripItem) |
MouseUp |
마우스 포인터가 항목 위에 있을 때 마우스 단추를 놓으면 발생합니다. (다음에서 상속됨 ToolStripItem) |
OwnerChanged |
이 이벤트는 이 클래스와 관련이 없습니다. |
Paint |
항목을 다시 그리면 발생합니다. (다음에서 상속됨 ToolStripItem) |
QueryAccessibilityHelp |
내게 필요한 옵션 지원 클라이언트 애플리케이션에서 ToolStripItem에 대한 도움말을 호출하면 발생합니다. (다음에서 상속됨 ToolStripItem) |
QueryContinueDrag |
끌어서 놓기 작업 중에 발생하며 끌기 소스가 끌어서 놓기 작업을 취소해야 할지 여부를 결정하도록 합니다. (다음에서 상속됨 ToolStripItem) |
RightToLeftChanged |
RightToLeft 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
RightToLeftLayoutChanged |
RightToLeftLayout 속성 값이 변경되면 발생합니다. |
SelectedChanged |
StatusStrip에 포함된 Windows ProgressBar 컨트롤을 나타냅니다. (다음에서 상속됨 ToolStripItem) |
TextChanged |
이 이벤트는 이 클래스와 관련이 없습니다. |
Validated |
이 이벤트는 이 클래스와 관련이 없습니다. |
Validating |
이 이벤트는 이 클래스와 관련이 없습니다. |
VisibleChanged |
Visible 속성 값이 변경되면 발생합니다. (다음에서 상속됨 ToolStripItem) |
명시적 인터페이스 구현
IDropTarget.OnDragDrop(DragEventArgs) |
DragDrop 이벤트를 발생시킵니다. (다음에서 상속됨 ToolStripItem) |
IDropTarget.OnDragEnter(DragEventArgs) |
DragEnter 이벤트를 발생시킵니다. (다음에서 상속됨 ToolStripItem) |
IDropTarget.OnDragLeave(EventArgs) |
DragLeave 이벤트를 발생시킵니다. (다음에서 상속됨 ToolStripItem) |
IDropTarget.OnDragOver(DragEventArgs) |
|
적용 대상
추가 정보
.NET