26.06.2014, 13:18 | #1 |
Участник
|
Как из SSRS-отчета узнать в каком VS Model Project реализован этот отчет?
Щас глупость спрошу. Но давно меня раздражает.
Предположим, я разбираюсь в чужих SSRS-отчетах. Я вижу пункт меню, который запускает SSRS-отчет. Посмотрел на свойства пункта меню - увидел какой SSRS-отчет запускается. Далее я должен найти VS Model Project, который реализует интересующий меня отчет. Как мне узнать имя этого проекта в общем случае? да, в стандартном функционале имена в большинстве случаев совпадают. Но что делать в общем случае? Например, есть menuItem TaxTable, отчет TaxTable и модель TaxTableReport. Каким алгоритмом прийти от меню TaxTable к модели TaxTableReport? |
|
26.06.2014, 13:44 | #2 |
Участник
|
Скорее всего без самописного джоба в данном случае не обойтись. Я имею в виду теоретически можно сделать джоб который получит на вход имя отчета и переберет все VS Model Projects и найдет проекты, в которых встречается данный отчет.
В TechNet Микрософт предлагает смотреть их список по соответствию отчет<->проект http://technet.microsoft.com/en-us/l.../hh496433.aspx "When you know the name of the report that you want to edit, use this list to find the name of the reporting project that contains the report. You should open the project that contains the report that you want to edit. " |
|
26.06.2014, 14:07 | #3 |
Участник
|
|
|
26.06.2014, 14:30 | #4 |
Участник
|
есть системный класс VSProjectNode, который может быть использован для получения данных по узлу VS Project в AOT
на форуме были примеры кода по перебору элементов дерева AOT... |
|
26.06.2014, 14:33 | #5 |
Участник
|
http://erpkb.com/Axapta/KakProgramno...rzhanieProekta
теоретически, думаю, эти наработки можно использовать для перебора элементов VS Project |
|
26.06.2014, 17:08 | #6 |
Участник
|
вот набросал на скорую джоб который находит VS проект для SSRS отчета
сделано по мотивам класса SysUpgrade60ReportProject X++: static void findSSRSReport(Args _args) { #AOT #SysManagedCode #define.Report_ReferencesAttrib('Include') #define.ProjectContent("Project Content") str ssrsReportNameToFind = "TaxTable"; str referencedProjects; TreeNode projectsRootNode = TreeNode::findNode(#VSProjectsAXModelPath); TreeNodeIterator iter = projectsRootNode.AOTiterator(); TreeNode projectType = iter.next(); TreeNode child; TreeNode childReports; VSProjectNode project = null; str projectPath; TreeNode projectContentNode; str aotName, projectContent; XmlDocument projectDoc; XmlNode projectRefNode; XmlNode xmlAttribute; str ssrsReportAotName, ssrsReportAotNameUpper; str xpath; XmlNodeList reportReferences; int nodeIndex; int basePathLen = strLen(#SSRSReportsPath + #AOTDelimiter); XmlNamespaceManager nsmgr; str namespaceUri = #MSBuildURL; str nsPrefix = 'cs'; boolean found = false; str stripByteOrderInfo(str xml) { int offset; // The xml string has some special chars and we need to trim it. if (xml) { xml = strrtrim(strltrim(xml)); offset = strscan(xml, @"<Project", 0, strlen(xml)); // Remove everything before the "<?xml" tag if (offset > 0) { xml = substr(xml, offset, strlen(xml)); } } return xml; } while(projectType) { projectPath = projectType.treeNodePath(); project = TreeNode::findNode(projectPath); if(project) { projectContentNode = project.AOTfindChild(#VSProjectContentFolder); aotName = project.AOTname(); // Find the project file node projectContentNode = projectContentNode.AOTfindChild(aotName + #VSProjectsAXModelProjectFileExtension); if(projectContentNode) { // load the project file content from the project file node projectContent = projectContentNode.AOTgetSource(); if (projectContent) { projectContent = stripByteOrderInfo(projectContent); // load project file content into XML document. projectDoc = new XmlDocument(); if (projectDoc.loadXml(projectContent)) { // catalog report references in the XmlDocument nsmgr = new XmlNamespaceManager(projectDoc.NameTable()); nsmgr.addNamespace(nsPrefix, namespaceUri); xpath = strFmt('//cs:Compile/@Include[contains(., \'%1\')]/parent::node()', #SSRSReportsRootPath); reportReferences = projectDoc.selectNodes(xpath, nsmgr); for (nodeIndex = 0; nodeIndex < reportReferences.length(); nodeIndex++) { projectRefNode = reportReferences.item(nodeIndex); xmlAttribute = projectRefNode.attributes().getNamedItem(#Report_ReferencesAttrib); if (xmlAttribute) { // update attribute if new value is different ssrsReportAotName = xmlAttribute.innerText(); ssrsReportAotName = strDel(xmlAttribute.innerText(), 0, basePathLen); ssrsReportAotNameUpper = strUpr(ssrsReportAotName); if (ssrsReportAotName == ssrsReportNameToFind) { found = true; break; } } } } } } } if (found) break; projectType = iter.next(); } if (found) info (projectPath); else info ("Not found"); } |
|
|
За это сообщение автора поблагодарили: mazzy (5), sukhanchik (4). |
26.06.2014, 21:53 | #8 |
Administrator
|
Еще одно решение. Подглядел идею в \Classes\SysStartupCmdBuildVisualStudioProjects
Немного подкорректировал: X++: /// <summary> /// Builds a <c>Set</c> object containing node paths to the SSRS Reports that the project references. /// </summary> /// <param name="projectNode"> /// The <c>VSProjectNode</c> object. /// </param> /// <returns> /// A <c>Set</c> object containing node paths to the SSRS Reports that the project references. /// </returns> private Set getVSProjectNodeReportReferences(VSProjectNode projectNode, str _ssrsName) { Set reportReferences = new Set(Types::String); VSProjectFileNode projectFileNode; str source, xpath, reportReference; int pos, len; System.IO.StringReader reader; System.Xml.XPath.XPathDocument doc; System.Xml.XPath.XPathNavigator navigator, nodeNavigator; System.Xml.XPath.XPathExpression expression; System.Xml.XPath.XPathNodeIterator nodeIterator; System.Xml.XmlNamespaceManager namespaceManager; // check for the Project node, the Project Content node and a project file node if (projectNode && projectNode.aoTfirstChild() && projectNode.aoTfirstChild().AOTfirstChild()) { projectFileNode = projectNode.aoTfirstChild().AOTfirstChild(); source = projectFileNode.AOTgetSource(); len = strLen(source); if (len) { // remove any unwanted characters from the beginning of the string pos = strFind(source, @"<", 1, len); if (source && pos) { source = subStr(source, pos, len); } if (source) { // load the source into an XPathDocument object and find all report references using xpath select reader = new System.IO.StringReader(source); doc = new System.Xml.XPath.XPathDocument(reader); navigator = doc.CreateNavigator(); namespaceManager = new System.Xml.XmlNamespaceManager(navigator.get_NameTable()); namespaceManager.AddNamespace(@"msbuild", @"http://schemas.microsoft.com/developer/msbuild/2003"); xpath = @"//msbuild:Project/msbuild:ItemGroup/msbuild:Compile/@Include"; expression = System.Xml.XPath.XPathExpression::Compile(xpath); expression.SetContext(namespaceManager); nodeIterator = navigator.Select(expression); if (nodeIterator) { while (nodeIterator.MoveNext()) { nodeNavigator = nodeIterator.get_Current(); reportReference = nodeNavigator.get_Value(); if (reportReference && reportReference == _ssrsName) { reportReferences.add(reportReference); } } } } } } return reportReferences; } X++: /// <summary> /// Builds a <c>Map</c> object that whose key is a <c>VSProjectNode</c> object and value is a <c>Set</c> object /// containing the AOT node paths of the SSRS Reports the project references. /// </summary> private void buildDynamicsAXModelProjectToReportsMap(str _ssrsName) { TreeNode treeNode; VSProjectNode projectNode; Set reportSet; // Key is VSProjectNode // Value is Set of strings - AOT paths to the SSRS reports used in the project // dynamicsAXModelProjectToReportsMap = new Map(Types::Class, Types::Class); treeNode = TreeNode::findNode(#VSProjectsAXModelPath); if (treeNode) { projectNode = treeNode.AOTfirstChild(); while (projectNode) { reportSet = this.getVSProjectNodeReportReferences(projectNode, _ssrsName); if (reportSet && reportSet.elements() > 0) { info(projectNode.name()); // dynamicsAXModelProjectToReportsMap.insert(projectNode, reportSet); } projectNode = projectNode.aoTnextSibling(); } } } X++: this.buildDynamicsAXModelProjectToReportsMap(#SSRSReportsPath + '\\' + 'VendInvoice');
__________________
Возможно сделать все. Вопрос времени |
|
|
За это сообщение автора поблагодарили: mazzy (5), trud (3). |
27.06.2014, 10:41 | #9 |
Участник
|
тогда, наверное, лучше сделать job, который просто добавляет перекрестные ссылки.
========================== насколько я понимаю, принцип раскрывается если экспортировать в xpo-файл VS model. в XPO-файл будет инкапсулирован proj-файл для Visual Studio. значит, надо разобрать xml из вложенного файла proj... прикольно. спасибо. идея понятна. |
|
|
За это сообщение автора поблагодарили: sukhanchik (2). |
27.06.2014, 10:50 | #10 |
Administrator
|
Цитата:
Или неожиданно для всех разработчики из МС подумают о таких "мелочах" и сами допишут код по перекрестным ссылкам
__________________
Возможно сделать все. Вопрос времени |
|
|
|