Save AS prompt window Confirmation

Hello,
I would like to go through all the steps involved in the process of exporting one document to XHTML in Indesign CS3.
I found a scripting block on this forum by Dave Saunders which illustrate how to interact with a menu action.
The fact is that when the action takes place, then Indesign CS3 prompts for a "Save As" window before continuing.
Is there a way to bypass this thing or maybe to script the confirmation (along with new name of file) of this window?
Here is Dave Saunders code:
var outputFile = File("D:\\test.xhtml");
var document = app.activeDocument;
var mainMenu = app.menus[0];
var fileMenu = mainMenu.submenus.item("File");
var xMediaItem = fileMenu.menuElements.item("Cross-media Export");
var xPortItem = xMediaItem.menuItems.item("XHTML / Dreamweaver...");
var action = xPortItem.associatedMenuAction;
action.invoke();
Thanks

Here is what I found in my archive a sample script by Roey Horns (I just had to modify one line to make it work).
The XHTML export feature is provided by a script, so the objects/properties/methods do not appear in the InDesign scripting object model. But you can use the script from another script, as shown in the example script below (graciously provided by Roey Horns, who wrote the export script).
//==============================================================================
// Export as XHTML sample script
//==============================================================================
// Preparation
// we require the DOM from version 5.0
app.scriptPreferences.version = 5.0          
// replace this with the paths to your files
var outputFile = File('~/Desktop/test.html');
var documentToExport = File('~/Desktop/Test.indd');
// open the document
var document = app.open(documentToExport, false);
// 1. Step: Load the script
var scriptPath = Folder.startup + ((File.fs == "Macintosh") ? '/../../../Scripts/Export as XHTML/' : '/Scripts/Export as XHTML/');
var scriptFile = File(scriptPath + 'XHTMLExport.jsxbin');
if (scriptFile.exists) {
     scriptFile.open();
     var script = scriptFile.read();
     scriptFile.close();      // execute the loaded script
     // this declares the classes and variables defined in the script file within our scope
     eval(script);
// 2. Step: Set up options for the export
     // The main xhtml export options are stored in a special label of the document.
     // Use the XHTMLExportOptions class to read, change and save them back to the
     // document. Saving the options back is not required for the options to be in
     // effect for the export -- with the exception of the exportForWebPreferences
     // (see below).      // To get a new instance of XHTMLExportOptions you can either load the options
     // from a document using the class method
     var opts = XHTMLExportOptions.restore(document);
     // or you can create a new instance with default values using the constructor:      var opts = new XHTMLExportOptions();      // Change the options to your liking:
     //     .numberedListsPolicy
     //          enum determining how numbered lists are represented in the resulting XHTML
     //          possible values:
     //               XHTMLExportOptions.regularOrderedListItems     (default)
     //               XHTMLExportOptions.fixedListItems
     //               XHTMLExportOptions.convertToText
     //     .bulletedListsPolicy
     //          enum determining how bulleted lists are represented in the resulting XHTML
     //          possible values:
     //               XHTMLExportOptions.regularUnorderedListItems     (default)
     //               XHTMLExportOptions.convertBulletsToText
     //     .styleHandling
     //          enum determining how to handle styles
     //          possible values:
     //               XHTMLExportOptions.emptyStyles          (default)
     //               XHTMLExportOptions.noStyles
     //               XHTMLExportOptions.extStyleSheet
     //     .styleSheet
     //          string: URL of external style sheet
     //          default: ""
     //     .linkToJavaScript
     //          boolean determining whether to include a link to the javascript file below
     //          default value: false
     //     .javaScriptURL
     //          string: URL of javascript file to link to
     //          default: ""      
     opts.styleHandling = XHTMLExportOptions.extStyleSheet;
     opts.styleSheet = 'styles/default.css';      
     //     The following two properties of XHTMLExportOptions override the properties
     // copyOriginalImages, copyFormattedImages and copyOptimizedImages on 
     //     app.exportForWebPreferences:
     // .imageHandling
     //          enum determining how images are handled
     //          possible values:
     //               XHTMLExportOptions.copyOriginal
     //               XHTMLExportOptions.copyOptimized     (default)
     //               XHTMLExportOptions.linkToServerPath
     //     .formatted
     //          boolean determining if optimized images should be formatted as in ID
     //          default value: false
     //     .serverPath
     //          string: URL of images folder on server
     //          default = ""
     //     .imageExtension
     //          string: extension to be used for images
     //          default: ".jpg"      opts.formatted = true;      // Use the properties of app.exportForWebPreferences to specify how to
     // optimize web images
     // Notice that the properties copyOriginalImages, copyFormattedImages and 
     // copyOptimizedImages are being overriden by the imageHandling setting
     // as explained above      app.exportForWebPreferences.gifOptionsInterlaced = true;      
     // If you want to save the options in the document you can use the persist
     // funtion on the XHTMLExportOptions object:
     //          opts.persist(document);
// 3. Step: Do the export
     // Create an XHTMLExporter instance
     // You need to pass a File object pointing to the script file into the
     // constructor so that XHTMLExport can find its ancillary files
     var exporter = new XHTMLExporter(scriptFile);
     // call its doExport(document, items, options, outputFile) method
     // parameters;
     //          document
     //               the document to export from
     //          list
     //               optional list of page items in document to export. If empty or undefined
     //               doExport will export all page items on visible layers on all spreads
     //               of the document (exception: TOC and Index stories are skipped)
     //          opts
     //               the XHTMLExport options to use
     //          outputFile
     //               the File to export to. Will get overridden if it already exists
     var success = exporter.doExport(document, undefined, opts, outputFile);      
     // check the results:
     if(success) {
          // even though the export has succeeded there may have been warnings:
          //           exporter.missingImageLinks is an array of File objects of the links that were missing
          //           exporter.outOfDateLinks is an array of File objects of the links that were out of date
          //          exporter.numImagesDroppedOut is the number of pasted images that were not exported
          //           exporter.stockPhotoComps is an array of File objects of the stock photo comps that were exported
          //           exporter.missingMovieLinkss is an array of File objects of the movies that were missing
          //          exporter.numMoviesDroppedOut is the number of movie files that were not exported
          if(exporter.outOfDateLinks.length > 0) {
               alert('Exporting ' + document.name + ' succeeded\nHowever ' + exporter.outOfDateLinks.length + ' links were out of date.');
     } else {
          // the error property holds the error object that made the export fail
          alert('Exporting ' + document.name + ' failed with this error message:\n' + exporter.error.message);
} // if (scriptFile.exists)
// 4. Step: Cleanup
// close the document
document.close(SaveOptions.no);

Similar Messages

  • Regarding Firefox 4 does not ask to save tabs and windows on exit even after trying all suggestions

    After installing Firefox 4, Firefox would no longer ask to save tabs and windows on exit. Even after trying all suggestions to resolve the problem, the problem continued. Under the corrupted files suggestion to rename two files, that also did not help. The original file names would be recreated automatically, so both file name versions would exist in that folder. NOTHING resolves the problem.
    Unfortunately, since that is a very desirable feature I, like other people who do not like Firefox 4, have gone back to an earlier version of Firefox.

    You can set the warn prefs on the about:config page to true via the right-click context menu or toggle with a double left-click.
    * browser.showQuitWarning, see http://blog.zpao.com/post/3174360617/about-that-quit-dialog
    * browser.tabs.warnOnClose, see http://kb.mozillazine.org/About%3Aconfig_entries
    * browser.warnOnQuit , see http://kb.mozillazine.org/browser.warnOnQuit
    * browser.warnOnRestart , see http://kb.mozillazine.org/browser.warnOnRestart
    * browser.startup.page , seehttp://kb.mozillazine.org/browser.startup.page (1 or 2)
    To open the <i>about:config</i> page, type <b>about:config</b> in the location (address) bar and press the "<i>Enter</i>" key, just like you type the url of a website to open a website.<br />
    If you see a warning then you can confirm that you want to access that page.<br />
    You can use "Firefox > History > Restore Previous Session" to get back the previous session.<br />
    There is also a "Restore Previous Session" button on the default about:home Home page.
    Another possibility is to use:
    *Tools > Options > General > Startup: "When Firefox Starts": "Show my windows and tabs from last time"

  • Firefox does not ask to save tabs and windows on exit

    I've done everything suggested in this article:
    [https://support.mozilla.com/en-US/kb/Firefox+does+not+ask+to+save+tabs+and+windows+on+exit]
    Settings in "Options" are ok.
    I have no extensions/themes. And the problem is still there on safe mode.
    Out of the two files mentioned as possibly corrupted, I deleted formhistory.sqlite but the file sessionstore.js is not in the profile directory when Firefox is closed (as the article suggests... it is there when Firefox is open)

    What is the startup setting?
    Tools > Options > General > Startup: "When Firefox Starts"
    In Firefox 3 you do not get the 'Save & Quit' pop-up dialog if you choose Tools > Options > General > Startup: "When Firefox Starts": "Show my windows and tabs from last time".<br />
    If that option is selected then your pages will already be reopened the next time.<br />
    To get that pop-up dialog you have to select one of the other choices (Show my home page,Show a blank page).<br />
    You can reset the warn prefs on the about:config page via the right-click context menu.<br />
    browser.tabs.warnOnClose , see http://kb.mozillazine.org/About%3Aconfig_entries
    browser.warnOnQuit , see http://kb.mozillazine.org/browser.warnOnQuit
    browser.warnOnRestart , see http://kb.mozillazine.org/browser.warnOnRestart
    To open the <i>about:config</i> page, type <b>about:config</b> in the location (address) bar and press the "<i>Enter</i>" key, just like you type the url of a website to open a website.<br />
    If you see a warning then you can confirm that you want to access that page.<br />

  • How to stop getting prompted to "Confirm"

    Hello,
    I have some Windows Server 2008 systems that I'm trying to run a powershell script on to delete some temp files, but I keep getting prompted with "Confirm... Y [Yes] [A] Yes to All...... ect"  Is there a way to bypass the Confirm?
    Thanks,
    Tom
    Tom Martin Email: [email protected]

    This has probably already been answered but I was running into the same problem as you and couldn't find an answer.
    Maybe if I post it here I will be able to find it the next time I run into it. :-)
    I think this will work for you
    get-childitem C:\inetpub\logs\LogFiles -include *.log  -recurse | where-object { $_.LastAccessTime -lt (Get-Date).AddDays(-14) -and $_.LastWriteTime -lt (Get-Date).AddDays(-14) } | remove-item -ErrorAction
    SilentlyContinue -Confirm:$false
    replace *.log without ever wildcard you need.
    I was executing this
    get-childitem  -Recurse  c:\logs\ | where {$_.LastWriteTime -le $now.AddDays(-30)} | del -whatif
    and getting the same as you
    Confirm
    The item at
    Microsoft.Powershell.Core\FileSystem::C:\logs\blah has children and the Recurse parameter was not specified. If you continue, all children
    will be removed with the item. Are you sure you want to continue?
    I replaced it with
    get-childitem  -Recurse  c:\logs\ -include *log*| where {$_.LastWriteTime -le $now.AddDays(-30)} | del -whatif
    and like magic no more prompts.

  • After userA check out a page, edit the page and save, Sharepoint prompt userA have checked out the page

    In one of site collection at our SP2013 farm, we have "SharePoint Server Publishing" site feature and "SharePoint Server Publishing Infrastructure" site collection feature activated.
    One of user (UserA) create a page in a page library. The new page is marked as "checked out by UserA". It is fine.
    Then UserA open the page -> edit page -> key in something and "save". Then the page prompt him "The file Pages/subfolder/test001.aspx has been modified by i:0#.w|test\userA on 8Aug2014 xx:xx:xx" and ask him to choose "Leave
    this page" or "say at this page".  The date time is exactly the time he was editing the page.
    Whatever he choose will save the page and return to "View" mode (non-edit mode).
    It is not the only problem. When userA want to edit the same page again and save, it prompt him that "The page could not be saved because your changes conflict with recent changes made by another user. If you continue, your changes will be lost."!
    When userA choose continue or "check out". Follow screen show up:
    What can we do? In summary, userA cannot edit a page because userA have checked out! We have tried for different users have exactly same issue.

    We are having the same problem, the one thing we have found is if we use the Save Icon on the top right hand side of the page in the ribbon (next to follow), that Save works just fine.  What is causing the issue is when trying to use the Save Icon on
    the left hand side of the ribbon that has the dropdown options to 'Save', 'Save and Keep Editing' or 'Stop Editing'.  It doesn't matter if you just click on the main Icon or choose any of the dropdown options, they all cause issues with the pages.  
    Thoughts?
    Nick Hurst

  • "Save Pdf File" window

    Hi,
    I have an Access 2000 aplication which works fine with Acrobat 8.1.2 Pro
    -you select a product name
    -a PDF file is generated from this product's "Report"
    -and it's sent by mail
    It is a VBA code which stores: folder name, file name, printer name into Windows Registry
    I have migrated the file to Access 2007 and now there is a problem.
    It opens a "Save Pdf file" window and asks me to select a folder and to enter a file name.
    Seems that name and folder retrieve from the registry is not working.
    What is it? What can I do to resolve the problem? Any idea?
    Thanks,

    I searched without success ...How to find it?
    I have this:
    ' Put the output filename where Acrobat could find it
    bSetRegValue HKEY_CURRENT_USER, _
                     "Software\Adobe\Acrobat Distiller\PrinterJobControl", _
                     Find_Exe_Name("application", "C:\Program Files\Microsoft Office\Office12\MSACCESS.EXE"), _
                     sOutputFolder & "\\" & sPDFName

  • Can no longer do Cmd N within the Save As dialog window

    Hey guys
    For some reason I haven't been able to make new folders within the Save As dialog window by pressing Command N after installing Leopard, I have to manually click the New Folder button. Were commands changed? Is it a bug? I would appreciate if someone can tell me how to get this command back.
    Thank you

    Glad to hear you aren't crazy, but apparently some programmer somewhere was. I always use the button when I'm in Save as to create a new folder, something I do rarely, so I assumed it worked the way it did everywhere else, and, of course when I tried it here in Leopard it did work the way I assumed it ought to. Evidently there was an, umm, how to put this nicely....interface inconsistency (that sounds polite, I think) that was corrected in Leopard. There, I'm sure the original programmer won't be offended. Not to mention his boss, or whoever is supposed to be in charge of Human Interface Guidelines Compliance issues. Whoever it is seems to take frequent vacations....
    Francine
    Francine
    Schwieder

  • Edit open/save as dialog window

    is there a way to edit the Open/Save As dialog window shortcuts in DW/FW?
    Thanks
    GN

    Take a look at this:
    http://kb.adobe.com/selfservice/viewContent.do?externalId=tn_17216&sliceId=1
    Bryan Ashcraft (remove BRAIN to reply)
    Web Application Developer
    Wright Medical Technology, Inc.
    Macromedia Certified Dreamweaver Developer
    Adobe Community Expert (DW) ::
    http://www.adobe.com/communities/experts/
    "eliblow" <[email protected]> wrote in
    message
    news:fjkqvv$gig$[email protected]..
    >I would like to create open Save As dialog using
    ColdFusion. The user will
    >be
    > clicking a button and the dialog will pop up asking the
    user if he want to
    > save
    > the file. I know that it can be done using JavaScript,
    but I am not sure
    > how it
    > could be done with CF. any suggestions?
    >
    > Thank you in advance.
    >

  • Why do I get a Fax prompt window when I try to print from Windows Photo Gallery?

    Trying to print photos from Windows Photo Gallery.  Print job looks as if it goes to the queue, but does not actually print.  Fax prompt window pops up as if I were preparing to fax.  Do I now have to disable the fax in order to print photos?  I take phone calls and faxes on the same phone line.

    1: I am sorry about the inconvinience. 
    The reason you find a check mark on a printer icon is to indicate that its a default printer. If the fax icon has a check mark, everytime you print a fax template will come up. 
    SOlution: Just right click on the other icon and select it as the default printer.
    2: Black lines while printing photos.
    CLick on the link below and check if the solution helps you.
    http://h10025.www1.hp.com/ewfrf/wc/document?cc=us&​lc=en&dlc=en&docname=c01957673
    Say "Thanks" by clicking the Kudos Star in the post that helped you.
    Please mark the post that solves your problem as "Accepted Solution"
    (Although I am employed by HP, I am speaking for myself and not for HP)

  • On my G5 mac at work, I am getting - don't know what to call it - looks like extraneous matrix type code around prompt windows and in applications. Sometimes I will get large shapes of colors, yellows, magentas, cyans. Anyone else experience this?

    On my G5 mac at work, I am getting - don't know what to call it - looks like extraneous matrix type code around prompt windows and in applications. Sometimes I will get large shapes of colors, yellows, magentas, cyans. Anyone else experience this?
    I will attach a recent screen shot of a print window I opened and the extra code is above and below the window. There are matrix type blocks of code and then lines under the window. I get this all the time and it is getting worse.
    Any help to get rid of it would be appreciated.
    Thanks
    TatteredSkull

    It's likely the Video card, or possibly heat.
    At the Apple Icon at top left>About this Mac.
    Then click on More Info>Hardware and report this upto *but not including the Serial#*...
    Hardware Overview:
    Machine Name: Power Mac G5 Quad
    Machine Model: PowerMac11,2
    CPU Type: PowerPC G5 (1.1)
    Number Of CPUs: 4
    CPU Speed: 2.5 GHz
    L2 Cache (per CPU): 1 MB
    Memory: 10 GB
    Bus Speed: 1.25 GHz
    Boot ROM Version: 5.2.7f1
    Get Temperature Monitor to see if it's heat related...
    http://www.macupdate.com/info.php/id/12381/temperature-monitor
    iStat Menus...
    http://bjango.com/mac/istatmenus/
    And/or iStat Pro...
    http://www.islayer.com/apps/istatpro/
    If you have any temps in the 70°C/160°F range, that's likely it.

  • When I open firefox (note: I got firefox version 28.0 and Karspersky security 2014) I get a black screen, looking like a command prompt window, in firefox.

    Hi,
    When I open firefox (note: I got firefox version 28.0 and Karspersky security 2014) I get a black screen covering the whole firefox window and it looks more lika a big command prompt window, in firefox. What is it?
    Regards
    Jean

    Huh, that's a new one...
    Can you try Firefox in [[Safe Mode | Safe Mode]] to see if the problem goes away. I'm thinking it's an extension.
    *Run ''firefox.exe -safe-mode'' in the search bar on the Start Menu. (Make sure Firefox is closed)
    Have you added any new extensions recently around the time this started happening? Your system details shows the following:
    *Adobe Acrobat - Create PDF 1.2 ([email protected])
    *Anti-Banner 14.0.0.4917 ([email protected])
    *Dangerous Websites Blocker 14.0.0.4917 ([email protected])
    *Kaspersky URL Advisor 14.0.0.4917 ([email protected])
    *Troubleshooter 1.1a ([email protected]) '''This is default so this isn't the problem.'''
    * Virtual Keyboard 14.0.0.4917 ([email protected])

  • How to use window.confirm in a JavaScript with unknown variables

    On my delete category page the user can pick the category it wishes to delete from a dropdown list (which is generated by rows in my database).
    When the user hits the "Delete" button ths OnClick runs a JavaScript that sends the delete request to a .jsp page that handles all my insert, update and delete queries.
    <input name="delete" type="button" id="delete" onClick="post('delete');return false;" value="Delete">
    function post(actValue)
         document.MyForm.action.value = actValue ;
         document.MyForm.submit() ;
    }So far, so good. But:
    Before the site goes to this last jsp page I want a pop-up window that ask's for a confirmation of the delete-request.
    So I changed the OnClick and I made another JavaScript::
    <input name="delete" type="button" id="delete" onClick="delete('categoryName');return false;" value="Delete">
    function deleteConfirm(categoryName)
         if( window.confirm("Are you sure you want to delete: " + categorieNaam + "?") == true)
              post('delete');
              return false;
    }The problem is, when the page is loaded, we don't know yet what category the user wants to have deleted. So categoryName is unknown.
    How can I make this work?

    You have the category in a dropdown list?
    <select name="catToDelete">
    <option value="cat1">cat1</option>
    <option value="cat2">cat2</option>
    <option value="cat3">cat3</option>
    </select>
    You can use javascript attributes such as
    var toDelete = document.all.catToDelete;
    // the value it will submit
    var selectedValue = toDelete.value;
    // the selected index
    var selectedIndex = toDelete.selectedIndex;
    // the option that is selected
    var selectedOption = toDelete.options[selectedIndex];
    // the text of that option
    var theText = selectedOption.textYou should be able to extract the info you need from that I hope.
    Cheers,
    evnafets

  • Folders are not visible in BEx Portfolio tab of Save As popup window

    Hi All,
    when I try to save a report in BEx Web Analyzer by open Save As popup window, I can't see any folders in neither of Favorites, BEx Portfolio nor My Portfolio tabs, even though I've created some directories in "/documents/Public Documents" for example. I can only see the list of already saved reports.
    What needs to be done to be able to the folders in Save As (or Open) popup window?
    thank you,
    oleg

    Hi,
    Please check Note No. 988406 and the role mentioned in this link:
    http://help.sap.com/SAPHELP_NW04S/helpdata/EN/a5/4b0b40c6c01961e10000000a155106/frameset.htm
    I would also recommend that you try with the latest java patches. BIBASE and BIWEBAPP patches.
    Thanks,
    Michael

  • How do you get firefox 4 to save tabs and windows and restore them? Don't say set preferences to open them on startup or use restore previous session under history; those do not work. Or is it no longer possible to save windows and tabs?

    Question
    How do you get firefox 4 to save tabs and windows and restore them? Don't say set preferences to open them on startup or use restore previous session under history; those do not work. Or is it no longer possible to save windows and tabs?

    '''IT'S A EASY AS IT SHOULD BE.'''
    This is essentially paulbruster's answer, but I've added the steps some might assume, but which aren't so obvious to those of us who are new at this, like me.
    This solution might ''appear'' to be long and complicated, but after you follow the directions once, you'll find it's quick, clean, and simple. Almost like they designed it this way.
    # If you haven't already, open a bunch of tabs on a few different subjects.
    # Click the List All Tabs button on the right side of the tab strip.
    # Select Tab Groups.
    # Create a few groups as described [http://support.mozilla.com/en-US/kb/what-are-tab-groups#w_how-do-i-create-a-tab-group here] , i.e. just drag them out of the main thumbnail group into the new groups they create.
    # Now click on any thumbnail in any new group, but not the original big default group you may have left some tabs in.
    #A regular Firefox window will open, but'' only the tabs in that group will be visible.'' You also now have the Tab Groups button in the tab strip.
    # Right click on any tab, and there it is: Bookmark All Tabs. Click on it in the list of options. Or you can hit Ctrl+Shift+D instead and go straight to the dialogue box from the tab without any clicks. But don't go looking for this familiar option anywhere else, 'cause it's not there.
    # Now pick an existing folder or create a new one just like you would have before and '''shlpam!''' there they are. New folders are supposed to end up in the Unsorted category all the way at the very bottom, but for some reason mine show up at the bottom of my last sorted category.
    # DO NOT CLICK THE UPPER-RIGHTMOST X to close this group of tabs. This will close ALL of your tabs in all groups, currently visible or not. At least it asks if you're sure first. Instead, click your new Tab Groups button to return to the Boxes 'O Thumbnails window, and click the X in the group box you just bookmarked.
    # Click on another thumbnail to repeat the process with another group, or click on a thumbnail in the big default box to return to the original FF window. You can also click the Tab Groups button at the upper right, or Ctrl+Shift+E, which will also get you ''into'' the Boxes 'O Nails window ''from'' FF.
    # So now when you reopen FF after shutdown, simply select your folder from your Bookmarks and Open All in Tabs. '''Just like paulbruster said. '''

  • Prompt window Issues-resize and date format setting to 'mm/dd/yyyy' .

    Guys,
            I have two issues which needs to be solved for better reporting.
            I am using url reporting approach to view reports in ActiveX viewer.
            1) I have to set date format to 'mm/dd/yyyy' in parameter prompt window by default It is in yyyy-mm-dd format.
             2) I have to make prompt window with full size screen in order to accommodate more than one date parameter and make it looks better.
         Can any one tell me how to change and fix date format and resize Prompt window?
          Should I open a ticket with business object in order to solve or customize the Crystal Report Server XI R2 configurations for us?
        Please suggest me some probable options for it.
    Sincerely,
    Sanjay Patel
    Edited by: Adlyd Joseph on Feb 3, 2009 7:22 AM

    Hello Adlyd,
    SAP Business Objects does not support customizing Infoview, CR Server, or BusinessObjects Enterprise.  I'll post the content of SAP Business Objects Note 1218598 below that speaks to this.  Even if they could help customize CR Server/Enterprise/Infoview there's no way to change the parameter prompting page.  It's a page that is generated at runtime, and it isn't exposed to any of the BusinessObjects SDK.
    If you want to see if SAP Business Objects can help you with the date format that might be possible.  In North America you can call 1-800-877-2340, and select option 4, and then option 1.
    You can also purchase technical support from the [Online Store|http://store.businessobjects.com/store/bobjamer/DisplayProductByTypePage&parentCategoryID=&categoryID=11522300].
    Sincerely,
    Dan Kelleher
    NOTE: This Note was written for BOE XI and XI R2, but it applies to BOE XI 3.0 and 3.1 as well as all versions of CR Server since version XI (v11.0).
    ++++++++++++++++++
    1218598 - Support policy on customizing BusinessObjects InfoView and other applications
    Symptom
    In previous versions of Business Objects products, Business Objects Customer Support had assisted customers with the customization of the ePortfolio and InfoView applications by providing guidance on what changes were required for simple and specific custom features.
    What is the support policy for customizing BusinessObjects XI, XI Release 2, XI 3.0, XI 3.1 InfoView and the other included applications?
    Resolution
    Starting with BusinessObjects XI, code-level customization of InfoView and the other applications included with BusinessObjects XI is not supported and not recommended. These applications include Crystal Reports Explorer and the Central Management Console.
    InfoView is a fully-featured product and can be customized by changing settings in the Central Management Console or by changing values in the application configuration files only.
    Requests for custom features in InfoView or any other included applications will be treated either as enhancement requests, or in extreme cases, as product defects. Any feature that does not function as documented will be treated as a product defect.
    Custom features may also be implemented as part of an Original Equipment Manufacturer (OEM) agreement, or by engaging Business Objects Consulting Services.
    Background Information
    Modification of any of the following file types in BusinessObjects InfoView XI, XI Release 2, XI 3.0, XI 3.1 is not supported:
    .aspx
    .cs
    .vb
    .ascx
    .asax
    .jsp
    .java
    .js
    .htm
    .html
    .csp
    See Also
    For more information, please refer to the technical paper, [Customizing Look and Feel using the CMC and Style Sheets|https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/209e174d-be3e-2b10-4d8e-e25a76a6fac1].

Maybe you are looking for

  • Cannot Write Files to my Formatted External Hard-drive

    I've been struggling with this problem for awhile now. I have a 200GB external hard drive that I used on my windows box. I have music on it and would like to use it on my macbook. When I plug it into my macbook, it mounts and shows up on the desktop.

  • I can't import to imovie.

    I am using imovie 6.0.3 and have tried to import from my video camera. Something that I have done many times before, but it says No Camera Attached. I have turned the camera off and on. I have removed wires and replaced them. I have re-started. I hav

  • Album Art not synching after new phone swap

    I recently had to replace my iPhone and when came back to synch it, my album art would not synch. Only a handfull of covers synched. No matter how many times I re-synch it just doesnt synch all of the covers. Not updated to version 2.0 yet.

  • Add custom local group with similar power as Windows BUILTIN\Administrators group

    In windows 7 or windows 8 Is there any possibility to create a custom Local group having the same power/privileges as it does the BUILTIN\Administrators group. If yes; how? For instance:  I created a new local group, then in Local Security Policy(sec

  • SSO2 Error = ERROR: PSE not found in database

    Hello Gurus, Need your help. In SS02 in the directory below SAPSSO2000.pse is incorrect. This should point to /usr/sap/MQW/DVEBMGS04/sec/SAPSYS.pse and I am not sure how to correct it. Do I need to maintain a profile to do this. Certificate List The