在选中多个复选框时,如何在不使用大量 if / else if 条件的情况下正确更改文本的字体样式?
PS。我知道在一个文本中使用多种样式时要使用什么,但是我不希望使用长的if / else条件来实现。
这就是我所拥有的:
public void updateFont()
{
//Individual
if (checkBox_Bold.Checked)
fontStyle = fontFamily.Style | FontStyle.Bold;
if (checkBox_Italic.Checked)
fontStyle = fontFamily.Style | FontStyle.Italic;
if (checkBox_Underlined.Checked)
fontStyle = fontFamily.Style | FontStyle.Underline;
if (checkBox_StrikeOut.Checked)
fontStyle = fontFamily.Style | FontStyle.Strikeout;
if (!checkBox_Bold.Checked && !checkBox_Italic.Checked && !checkBox_Underlined.Checked && !checkBox_StrikeOut.Checked)
fontStyle = FontStyle.Regular;
fontFamily = new Font(cbox_FontFamily.SelectedItem.ToString(), Convert.ToInt32(fontSize), fontStyle);
pictureBox_Canvass.Invalidate();
}
答案 0 :(得分:4)
将相关的FontStyle
分配给每个CheckBox.Tag
属性(在Form
构造函数或Load
事件中)。
为所有CheckBoxes
CheckedChange
事件分配一个事件处理程序(在这里,在设计器中进行设置;当然,您也可以在构造函数中添加它)。
FontStyle
是一个标志。您可以使用|
添加它,并使用&~
删除它。
如果需要,您可以添加条件以相互排除下划线和删除线样式。
FontStyle fontStyle = FontStyle.Regular;
public form1()
{
InitializeComponent();
this.chkBold.Tag = FontStyle.Bold;
this.chkItalic.Tag = FontStyle.Italic;
this.chkUnderline.Tag = FontStyle.Underline;
this.chkStrikeout.Tag = FontStyle.Strikeout;
}
private void chkFontStyle_CheckedChanged(object sender, EventArgs e)
{
CheckBox checkBox = sender as CheckBox;
FontStyle CurrentFontStyle = (FontStyle)checkBox.Tag;
fontStyle = checkBox.Checked ? fontStyle | CurrentFontStyle : fontStyle &~CurrentFontStyle;
lblTestFont.Font = new Font("Segoe UI", 10, fontStyle, GraphicsUnit.Point);
}
答案 1 :(得分:3)
就像Jimi所说的那样,但是在这里您也可以使用LINQ实现您的目标。
private void UpdateTextBoxFontStyle()
{
var fs = System.Drawing.FontStyle.Regular;
var checkedStyles = Controls.OfType<CheckBox>()
.Where(x => x.Checked)
.Where(x => x.Tag is System.Drawing.FontStyle)
.Select(x => (System.Drawing.FontStyle) x.Tag).ToList();
foreach (var style in checkedStyles) fs |= style;
lblTestFont.Font = new System.Drawing.Font("Segoe UI", 9f, fs, System.Drawing.GraphicsUnit.Point);
}
然后将CheckedChanged
事件处理程序分配给每个复选框。
foreach (Control control in Controls)
if (control is CheckBox checkBox)
checkBox.CheckedChanged += (s, e) => UpdateTextBoxFontStyle();