我创建了一个Windows窗体应用程序,我使用label_1.Visible = false;
使我的标签不可见。
我想只让标签的第一个字母可见。
我该怎么做?
答案 0 :(得分:4)
可见性是全有或全无的概念:如果标签或任何其他组件被标记为不可见,则它们都不会出现在表单上。
如果您只想在标签中显示string
的前几个字母,请使用Substring
方法指定标签的文字。为了实现这一点,实际文本必须存储在标签之外的某个位置 - 例如,在labelText
字段中:
private string labelText = "Quick brown fox";
...
label_1.Text = labelText.Substring(0, 1); // Only the first character is shown
答案 1 :(得分:1)
根据您对评论的回答,听起来您对Marquee风格的展示感兴趣。这是一种方法,通过将整个字符串存储在一个变量中,然后只在标签中显示它的一部分。
在下面的示例中,我们有一个要显示的文本字符串存储在变量中。我们添加一个标签来显示文本,并使用一个计时器重复更改文本,使其显示为滚动。
要查看它的实际效果,请启动一个新的Windows窗体应用程序项目,并使用以下代码替换部分窗体类:
public partial class Form1 : Form
{
// Some text to display in a scrolling label
private const string MarqueeText =
"Hello, this is a long string of text that I will show only a few characters at a time. ";
private const int NumCharsToDisplay = 10; // The number of characters to display
private int marqueeStart; // The start position of our text
private Label lblMarquee; // The label that will show the text
private void Form1_Load(object sender, EventArgs e)
{
// Add a label for displaying the marquee
lblMarquee = new Label
{
Width = 12 * NumCharsToDisplay,
Font = new Font(FontFamily.GenericMonospace, 12),
Location = new Point {X = 0, Y = 0},
Visible = true
};
Controls.Add(lblMarquee);
// Add a timer to control our marquee and start it
var timer = new System.Windows.Forms.Timer {Interval = 100};
timer.Tick += Timer_Tick;
timer.Start();
}
private void Timer_Tick(object sender, EventArgs e)
{
// Figure out the length of text to display.
// If we're near the end of the string, then we display the last few characters
// And the balance of characters are taken from the beginning of the string.
var startLength = Math.Min(NumCharsToDisplay, MarqueeText.Length - marqueeStart);
var endLength = NumCharsToDisplay - startLength;
lblMarquee.Text = MarqueeText.Substring(marqueeStart, startLength);
if (endLength > 0) lblMarquee.Text += MarqueeText.Substring(0, endLength);
// Increment our start position
marqueeStart++;
// If we're at the end of the string, start back at the beginning
if (marqueeStart > MarqueeText.Length) marqueeStart = 0;
}
public Form1()
{
InitializeComponent();
}
}
答案 2 :(得分:0)
字符串在技术上是字节数组,这意味着可以使用索引访问每个字母。
例如:
string x = "cat";
char y = x[0];
// y now has a value of 'c'!
对用于标签的字符串执行此操作,并将结果用于标签。我还想补充一点,你需要设置label_1.Visible = true;
,否则就不会出现任何内容。
将上述内容应用于您的代码,您应该得到以下内容:
label_1.Visible = true;
label_1.text = label_1.text[0].ToString();
希望对你有用!