我将一个形状对象绘制为“组”,使得两个子形状是该组的直接子代。该组中的所有形状都有不同的颜色。
我想知道什么是可以帮助我获得形状对象(红色,绿色,白色)颜色的属性。
我知道形状具有样式属性(Shape.Style),但这并不能为我提供颜色值。
Application visApp = new Application();
Document visDoc = visApp.Documents.Open(VisiofilePath);
var shp = visApp.ActivePage.Shapes.ItemFromID[1];
string shapeColor = string.Empty;
foreach (Visio.Shape s in shp.Shapes)
{
if(s.Text == "Child Object 1")
{
//shapeColor =
}
if(s.Text == "Child Object 2")
{
//shapeColor =
}
}
任何帮助将不胜感激。
答案 0 :(得分:1)
确定填充颜色不受形状是否属于组的影响。一旦找到正确形状的参考,就可以查看相应的单元格。
Visio有两种主要的填充颜色设置方法-图案填充和渐变填充。后者是从2013年开始的。
对于图案填充,您正在查看三个单元格:FillForegnd
,FillBkgnd
和FillPattern
。大多数形状以实心填充(FillPattern
1)开头,这意味着仅使用FillForegnd
。对于其他模式类型,您需要同时处理FillForegnd
和FillBkgnd
。
对于渐变填充,FillGradientEnabled
单元格设置为1,这会导致Fill Gradient Stops
部分具有先例。
在后台,Visio维护一个Document.Colors
集合。某些内置颜色可以通过索引进行访问:0 =黑色,1 =白色,2 =红色,3 =绿色等,一直到23。使用的所有其他自定义颜色都将添加到该集合中,并获得一个索引。 。这意味着,有了索引,您就可以在Colors集合中查找颜色实例。
以下是一些代码,以演示如何访问各种类型的着色。鉴于这四个形状:
前3个形状使用图案填充,而最后3个形状使用渐变填充。
3
)2
),因此同时使用了前景和背景单元格......您可以使用以下代码来读取工作中的颜色(请注意,这是使用LINQPad,因为输出窗口可以更清楚地了解正在发生的情况:
void Main()
{
var vApp = MyExtensions.GetRunningVisio();
for (int i = 1; i <= 4; i++)
{
var shp = vApp.ActivePage.Shapes.ItemFromID[i];
var colorInfos = new List<ColorInfo>();
colorInfos.Add(new ColorInfo(shp.CellsU["FillForegnd"]));
colorInfos.Add(new ColorInfo(shp.CellsU["FillBkgnd"]));
new
{
shp.NameID,
FillPattern = shp.CellsU["FillPattern"].ResultIU,
FillGradientEnabled = Convert.ToBoolean(shp.CellsU["FillGradientEnabled"].ResultIU),
PatternColors = colorInfos,
GradientColors = FillGradientColors(shp) ?? "Default (10 stops all white)"
}.Dump();
}
}
private dynamic FillGradientColors(Visio.Shape shp)
{
List<string> rgbs = null;
var iSect = (short)Visio.VisSectionIndices.visSectionFillGradientStops;
for (int i = 0; i < shp.RowCount[iSect]; i++)
{
var targetCell = shp.CellsSRC[iSect, (short)i, (short)Visio.VisCellIndices.visGradientStopColor];
if (targetCell.IsInherited == 0)
{
if (rgbs is null)
{
rgbs = new List<string>();
}
rgbs.Add(ColorInfo.RgbString(targetCell));
}
}
return rgbs;
}
public class ColorInfo
{
private Visio.Cell _vCell;
public ColorInfo(Visio.Cell vCell)
{
_vCell = vCell;
RGB = RgbString(_vCell);
}
public string Name => _vCell.Name;
public string RGB { get; set; }
public string FormulaU => _vCell.FormulaU;
public static string RgbString(Visio.Cell cell)
{
var colorIdx = cell.Result[(short)Visio.VisUnitCodes.visUnitsColor];
var c = cell.Document.Colors.Item16[(short)colorIdx];
return $"RGB({c.Red},{c.Green},{c.Blue})";
}
}
...这将产生以下输出: