Gripes with Adobe scripting UI

Spent a lot of time trying to get fillPath() to work in a UI.  Looked to be simple in the scripting guide but no luck.  The sample script colorselector.jsx with the Bridge SDK claimed to have paths used in it.  I couldn't find it.  Maybe Adobe can't get it to work either.  Tried a half-baked second approach to use a group and change the bg color.  My main intent is to create a visual model of a print with borders that can be adjusted with sliders for the user to get a good idea of that they're going to get.  Made a black group and a white group and got it to work in CS3.  Went to work and tried it on CS4 and it completely fell apart.  The stack order was different than CS3 and I could only get one color to show instead of the two I had in CS3.  Can't figure out why Adobe made this much of a change with the scripting to cause this much change.  We're having big issues with CS4 and custom XMP templates along with Flash extendscript interface due to some limit our company (I think) is placing on the use of ActiveX.  So as Adobe is moving more towards the use of Flash/flex with their other programs, this is causing problems in companies like mine that have tight controls on program interaction.
Don't know if someone from Adobe actually reads these forums, but just want to vent and let them know that there maybe some bugs in their products.

I agree that the Tools guide could be a lot more helpful than it is. Most of the time when I am trying something new with ScriptUI I end up going in hyperlink circles until I give up.
And it doesn't help that once you do get something working in one version on one OS, it doesn't work the same in a different version or OS.
colorselector.jsx is in both the ESTK and Bridge SDK. For what it's worth it seems to work the same in CS3 and CS4. Here is the CS3 version script. At a quick glance it is the same in the CS4 SDKs
// ADOBE SYSTEMS INCORPORATED
// Copyright 1998 - 2006 Adobe Systems Incorporated
// All Rights Reserved
// NOTICE:  Adobe permits you to use, modify, and distribute this file in accordance with the
// terms of the Adobe license agreement accompanying it.  If you have received this file from a
// source other than Adobe, then your use, modification, or distribution of it requires the prior
// written permission of Adobe.
  @fileoverview Shows how to use graphic objects to customize the drawing of ScriptUI elements.
  @class Shows how to use graphic objects to customize the drawing of ScriptUI elements.
  <h4>Usage</h4>
  <ol>
  <li> Open this file and run it in the ExtendScript Toolkit.
       You can choose as the target any application that supports ScriptUI, although we recommend Adobe Bridge CS3.
  <li> Move the sliders up and down to change the color of the top panel.
  </ol>
  <h4>Description</h4>
<p>Changes the colors of ScriptUI components dynamically, using the graphics customization objects.
   Displays sliders that allow the user to set the RGB components of a color, then
   creates new Pen and Brush types using those colors with methods of the ScriptUIGraphics objects
   associated with the window and panels.
<p>To make the change in how the colors are drawn into the window on the screen, the example places the
   new Pen and Brush objects into the appropriate color properties of the graphics objects. The Pen is
   used to change the foreground, and the Brush is used to change the background.
<p>Each Pen and Brush object is created with a brush type, a color value, and a line width.
  The color is given as an array of RGB values with a fourth number representing the Alpha
  channel (transparency) value.  The range for all values is 0 to 1.  
  For example, to set the background color of a window to a light grey:
<pre>
graphicsObject.backgroundColor = graphicsObject.newBrush (g.PenType.SOLID_COLOR, [0.75, 0.75, 0.75, 1], 1);
</pre>
  See the JavaScript Tools Guide for more details.<br />
   @constructor Constructor
function ColorSelector() { }
<p>Functional part of this snippet, creates a Window and its ScriptUI components.
Defines three panels: an instruction panel, a panel that displays the current
color values, and a control panel.
<p>The control panel contains radio buttons to choose the background or
foreground, and sliders to choose new color values.  As the sliders move,
their event handlers apply the new colors to the  background or foreground
of the window. The event handlers use a helper function, changeColor(), which actually
performs the color change, by creating Pen and Brush objects and using them to set
the color properties of the graphics objects associated with the window and with
each panel.
@return True if the snippet ran as expected, false otherwise
@type Boolean
ColorSelector.prototype.run = function()
     $.writeln("About to run ColorSelector");
     // Construct the window and the components
     var win = new Window("window", "Color Selector", undefined, { resizeable: false });
     win.alignChildren = "fill";
     // The instructions panel - the text color of this panel will change
     var instPanel = win.add("panel", undefined, "Instructions");
     //instPanel.alignment = "fill";
     instPanel.alignChildren = "left";
     var st = instPanel.add("statictext", undefined, "", {multiline: true } );
     st.text = "Use the radio buttons to select either the forground or background.  Then adjust "
     + "the sliders in the bottom panel.  Each of the sliders represent a color, Red, Green or Blue.   "
     + "The values of the sliders are show in the 'Color Values' panel.\n\n"
     + "Using a Graphics Object you can:\n"
     + "*   Change the background color\n"
     + "*   Change the foreground color\n"
     + "*   Change individual elements or the entire window\n\n"
     + "This sample changes the colors within this panel.";
     st.characters = 50;
     // Panel to display the current color values
     var colPanel = win.add("panel", undefined, "Color Values");
     colPanel.orientation = "column";
     gp1 = colPanel.add("group");
     gp1.orientation = "row";
     gp1.add("statictext", undefined, "Red:");
     var RedText = gp1.add("edittext", undefined, "0.5000");
     gp1.add("statictext", undefined, "Green:");
     var GreenText = gp1.add("edittext", undefined, "0.5000");
     gp1.add("statictext", undefined, "Blue:");
     var BlueText = gp1.add("edittext", undefined, "0.5000");
     // Panel to control how the sliders move and to set the foreground/background
     var sliderPanel = win.add("panel", undefined, "Color Controls");
     sliderPanel.alignChildren = ["fill", "fill"];
     gp3 = sliderPanel.add("group");
     gp3.orientation = "row";
     gp3.alignment ="center";
     var foreBtn = gp3.add("radiobutton", undefined, "Foreground");
     var backBtn = gp3.add("radiobutton", undefined, "Background");
     var lockBtn = gp3.add("checkbox", undefined, "Lock Sliders");
     foreBtn.value = true;
     sliderRed = sliderPanel.add("slider", undefined, 5, 0, 10);
     sliderGreen = sliderPanel.add("slider", undefined, 5, 0, 10);
     sliderBlue = sliderPanel.add("slider", undefined, 5, 0, 10);
     // Handlers for sliders to capture changed values and apply colors
     sliderRed.onChanging = function()
          newVal = 0;
          if(sliderRed.value != 0)
               newVal = sliderRed.value / 10;
          RedText.text = newVal;
          if(lockBtn.value)
               sliderGreen.value = sliderBlue.value = this.value;
               GreenText.text = BlueText.text = RedText.text;
          // apply color
          changeColor(1, newVal, foreBtn.value);
     sliderGreen.onChanging = function()
          newVal = 0;
          if(sliderGreen.value != 0)
               newVal = sliderGreen.value / 10;
          GreenText.text = newVal;
          if(lockBtn.value)
               sliderRed.value = sliderBlue.value = this.value;
               BlueText.text = RedText.text = GreenText.text;
          // apply color
          changeColor(2, newVal, foreBtn.value);
     sliderBlue.onChanging = function()
          newVal = 0;
          if(sliderBlue.value != 0)
               newVal = sliderBlue.value / 10;
          BlueText.text = newVal;
          if(lockBtn.value)
               sliderGreen.value = sliderRed.value = this.value;
               RedText.text = GreenText.text = BlueText.text;
          // apply color
          changeColor(3, newVal, foreBtn.value);
     win.show();
     // Apply the color changes to the window and panels
     function changeColor(color, val, foreground)
          try
               var Red = parseFloat(RedText.text);
               var Green = parseFloat(GreenText.text);
               var Blue = parseFloat(BlueText.text);
               switch(color)
                    case 1:
                         Red = val;
                         break;
                    case 2:
                         Green = val;
                         break;
                    case 3:
                         Blue = val;
                         break;
                    default:
                         return;     
               // Colors: Red, Green, Blue, Alpha
               var colArr = [Red, Green, Blue, 1];
               // Get ScriptUIGraphics object associated with the window and each panel
               var g = win.graphics;
               var g2 = sliderPanel.graphics;
               var g3 = colPanel.graphics;
               var c, c2, c3;
               if(foreground)      // do the foreground
                    // Create a Pen object for each color
                    // specifying type, color, linewidth
                    c  = g.newPen (g.PenType.SOLID_COLOR, colArr, 1);
                    c2  = g2.newPen (g2.PenType.SOLID_COLOR, [0, 0, 0, 1], 1);
                    c3  = g3.newPen (g3.PenType.SOLID_COLOR, [0, 0, 0, 1], 1);
                    // Set the new Pen object as the foregroundColor of the graphics objects
                    g.foregroundColor = c;
                    g2.foregroundColor = c2;
                    g3.foregroundColor = c3;
               else // do the background
                    // Create a Brush object for each color
                    // specifying type, color, linewidth
                    c  = g.newBrush (g.BrushType.SOLID_COLOR, colArr, 1);
                    if(File.fs == "Windows")
                         defColor = [0.933, 0.918, 0.848, 1];
                    else
                         defColor = [0.949, 0.949, 0.949, 1];
                    c2  = g2.newBrush (g2.BrushType.SOLID_COLOR, defColor, 1);
                    c3  = g3.newBrush (g3.BrushType.SOLID_COLOR, defColor, 1);
                    // Set the new Brush object as the backgroundColor of the graphics objects
                    g.backgroundColor = c;
                    g2.backgroundColor = c2;
                    g3.backgroundColor = c3;
          catch(error){ alert(error); }
     $.writeln("Ran ColorSelector");
     return true;
"main program": construct an anonymous instance and run it
  as long as we are not unit-testing this snippet.
if(typeof(ColorSelector_unitTest ) == "undefined") {
     new ColorSelector().run();

Similar Messages

  • I cannot associate files with Adobe Photoshop CC

    Since installing Photoshop CC, I cannot associate jpg's or psd's with Photoshop CC. I have used the "open with..." dialog box (something I have done a million times, so I know what I'm doing), but after choosing Photoshop, it does not appear in the list of recommended or other programs and will not open the jpg or psd file in Photoshop.
    FYI, I installed Photoshop CC while Photoshop CS6 was still on my computer. I then deinstalled Photoshop CS6 and that is when I noticed the problem.
    Please help...this is extremely frustrating.
    Thank you!!!

    Thanks middle.aged.hack - your regedit fix got my files opening correctly again.
    I was having the same problem as the OP but with InDesign CC this time. No matter how many times I used "open with..." and pointed the dialogue box to indesign.exe, the program would just not show up in the list, but after your regedit, up it popped.
    I still have a minor gripe (with Adobe or Windows mind, not you). Because these are after the event associations rather than the original install default, the icon that shows up in windows file manager is the "I'm only an associated filetype" with the smaller logo inside a document icon, rather than the full blooded, "I am this applications proprietary document type" icon (see comparison of Illustrator equivalents below):
    associated filetype (not full icon)
    application specific file (proper icon)
    So my .psd and .indd files are using the associated filetype icon not the proper icon you'd normally get.
    It's minor to be honest, but it niggles me as I'm used to looking for a certain kind of logo for a ccertain kind of filetype.
    But mainly, thanks for the helpful post middle.aged.hack
    Al

  • Help with first Adobe Script for AE?

    Hey,
    I'm trying to create a script that will allow me to set a certain number of layer markers at an even interval to mark out a song. Could someone help me troubleshoot this script? I've been working on it for ages now, and I'm about to snap. I've basically gone from HTML and CSS, to javascript and Adobe scripting in the past few hours, and I cannot figure this out for the life of me.
    I want to create a dialog with two fields, the number of markers to place, and the tempo of the song. Tempo is pretty simple, its just the number of beats per minute. The script is meant to start at a marker that I have already placed, and set a new marker at incrementing times. Its mainly to help me see what I'm trying to animate too, even if the beat is a little hard to pick up every once in a while.
    Also, is there a better way to do this? This script will help me in the long run because I will need to do this pretty often, but I'm wondering if there was something that I could not find online that would have saved me these hours of brain-jumbling?
    Thank you very much for any help you can offer.
        // Neo_Add_MultiMarkers.jsx
        //jasondrey13
        //2009-10-26
        //Adds multiple markers to the selected layer.
        // This script prompts for a certain number of layer markers to add to the selected audio layer,
        //and an optional "frames between" to set the number of frames that should be skipped before placing the next marker
        // It presents a UI with two text entry areas: a Markers box for the
        // number of markers to add and a Frames Between box for the number of frames to space between added markers.
        // When the user clicks the Add Markers button,
        // A button labeled "?" provides a brief explanation.
        function Neo_Add_MultiMarkers(thisObj)
            // set vars
            var scriptName = "Neoarx: Add Multiple Markers";
            var numberOfMarkers = "0";
            var tempo = "0";
            // This function is called when the Find All button is clicked.
            // It changes which layers are selected by deselecting layers that are not text layers
            // or do not contain the Find Text string. Only text layers containing the Find Text string
            // will remain selected.
            function onAddMarkers()
                // Start an undo group.  By using this with an endUndoGroup(), you
                // allow users to undo the whole script with one undo operation.
                app.beginUndoGroup("Add Multiple Markers");
                // Get the active composition.
                var activeItem = app.project.activeItem;
                if (activeItem != null && (activeItem instanceof CompItem)){
                    // Check each selected layer in the active composition.
                    var activeComp = activeItem;
                    var layers = activeComp.selectedLayers;
                    var markers = layers.property("marker");
                    //parse ints
                    numberOfMarkers = parseInt (numberOfMarkers);
                    tempo = parseInt (tempo);
                    // Show a message and return if there is no value specified in the Markers box.
                    if (numberOfMarkers < 1 || tempo < 1) {
                    alert("Each box can take only positive values over 1. The selection was not changed.", scriptName);
                    return;
                    if (markers.numKeys < 1)
                    alert('Please set a marker where you would like me to begin.');
                    return;
                    var beginTime = markers.keyTime( 1 );
                    var count = 1;
                    var currentTime = beginTime;
                    var addPer = tempo/60;
                    while(numberOfMarkers < count)
                    markers.setValueAtTime(currentTime, MarkerValue(count));
                    currentTime = currentTime + addPer;
                    if (count==numberOfMarkers) {
                        alert('finished!');
                        return;
                    else{
                        count++;
                app.endUndoGroup();
        // Called when the Markers Text string is edited
            function onMarkersStringChanged()
                numberOfMarkers = this.text;
            // Called when the Frames Text string is edited
            function onFramesStringChanged()
                tempo = this.text;
            // Called when the "?" button is clicked
            function onShowHelp()
                alert(scriptName + ":\n" +
                "This script displays a palette with controls for adding a given number of markers starting at a pre-placed marker, each separated by an amount of time determined from the inputted Beats Per Minute (Tempo).\n" +
                "It is designed to mark out the even beat of a song for easier editing.\n" +
                "\n" +
                "Type the number of Markers you would like to add to the currently selected layer. Type the tempo of your song (beats per minute).\n" +           
                "\n" +
                "Note: This version of the script requires After Effects CS3 or later. It can be used as a dockable panel by placing the script in a ScriptUI Panels subfolder of the Scripts folder, and then choosing this script from the Window menu.\n", scriptName);
            // main:
            if (parseFloat(app.version) < 8)
                alert("This script requires After Effects CS3 or later.", scriptName);
                return;
            else
                // Create and show a floating palette
                var my_palette = (thisObj instanceof Panel) ? thisObj : new Window("palette", scriptName, undefined, {resizeable:true});
                if (my_palette != null)
                    var res =
                    "group { \
                        orientation:'column', alignment:['fill','fill'], alignChildren:['left','top'], spacing:5, margins:[0,0,0,0], \
                        markersRow: Group { \
                            alignment:['fill','top'], \
                            markersStr: StaticText { text:'Markers:', alignment:['left','center'] }, \
                            markersEditText: EditText { text:'0', characters:10, alignment:['fill','center'] }, \
                        FramesRow: Group { \
                            alignment:['fill','top'], \
                            FramesStr: StaticText { text:'Tempo:', alignment:['left','center'] }, \
                            FramesEditText: EditText { text:'140', characters:10, alignment:['fill','center'] }, \
                        cmds: Group { \
                            alignment:['fill','top'], \
                            addMarkersButton: Button { text:'Add Markers', alignment:['fill','center'] }, \
                            helpButton: Button { text:'?', alignment:['right','center'], preferredSize:[25,20] }, \
                    my_palette.margins = [10,10,10,10];
                    my_palette.grp = my_palette.add(res);
                    // Workaround to ensure the editext text color is black, even at darker UI brightness levels
                    var winGfx = my_palette.graphics;
                    var darkColorBrush = winGfx.newPen(winGfx.BrushType.SOLID_COLOR, [0,0,0], 1);
                    my_palette.grp.markersRow.markersEditText.graphics.foregroundColor = darkColorBrush;
                    my_palette.grp.FramesRow.FramesEditText.graphics.foregroundColor = darkColorBrush;
                    my_palette.grp.markersRow.markersStr.preferredSize.width = my_palette.grp.FramesRow.FramesStr.preferredSize.width;
                    my_palette.grp.markersRow.markersEditText.onChange = my_palette.grp.markersRow.markersEditText.onChanging = onMarkersStringChanged;
                    my_palette.grp.FramesRow.FramesEditText.onChange = my_palette.grp.FramesRow.FramesEditText.onChanging = onFramesStringChanged;
                    my_palette.grp.cmds.addMarkersButton.onClick    = onAddMarkers;
                    my_palette.grp.cmds.helpButton.onClick    = onShowHelp;
                    my_palette.layout.layout(true);
                    my_palette.layout.resize();
                    my_palette.onResizing = my_palette.onResize = function () {this.layout.resize();}
                    if (my_palette instanceof Window) {
                        my_palette.center();
                        my_palette.show();
                    } else {
                        my_palette.layout.layout(true);
                else {
                    alert("Could not open the user interface.", scriptName);
        Neo_Add_MultiMarkers(this);

    You should ask such questions over at AEnhancers. I had a quick look at your code but could not find anything obvious, so it may relate to where and when you execute certain functions and how they are nested, I just don't have the time to do a deeper study.
    Mylenium

  • How to install adobe flash player through command line with some script

    Hi Guys,
    Do you know how to install adobe flash player through command line with some script?
    Thanks,
    Galina

    Windows. I tried silent install  with "install_flash_player.exe /install" but it works only with one file that I downloaded from adobe.com - "install_flashplayer10_mssd_aih.exe". But it is possible to download this last file only one time, every next time it redirects me to download install_flash_player.exe file.

  • It´s possible to call to Adobe Professional 8 with Indesign scripting (.jsx) [JS/CS3] ?

    Hello, I would like to know if it´s possible to communicate with Adobe Professional through a Indesign script (.jsx). I need to convert the pdf file that I export from Indesign to specific standard type that is only available in Adobe Professional.
    I want to save the Indesign generated file with Adobe Professional and obtain the pdf that I particularly need.
    I would like to know if there is a way to do this.
    Thank u,
    Peter

    That's nothing!
    An engineer and I contacted Adobe technical support by phone to ensure the PC I was having custom built was configured to its optimum. They advised XP64 as the best operating environment. After that discussion we had to completely revise procurement, etc to get the bits and compatible XP64 compatible software, putting the build project back a few weeks as well, Imagine how I laughed when I found out on one of these forums that XP64 is the worst choice and totally unsupported by CS4!
    I have written to Shantanu Narayen, Adobe CEO and didn't even get an acknowledgement I raised this last week on the Adobe stand at BVE and was told they'd get someone to contact me asap but guess what, niet...! To be fair there has been one Adobe executive that recognises the problem and the damage poor customer support is causing the company; he has been as helpful as he can. Unfortunately, it seems the overall Adobe culture at the top is "get the money and run". If your problem goes beyond what's already on their web pages, tough luck!
    Regards,
    Graham

  • Saving form field data with Adobe Reader and Java script.

    We would like to create some customized PDF documents with pre filled form  fields for our customers. The documents will also have extended Java script  functionality to check some entered data and to save the form data to a local  disk.
    Our customers will need to click on their personalized link on our web page  and then download a pdf document with personal pre filled form fields  specifically for that customer.  From our site the PDF file will be dynamically  created and partly filled out with our web application. (The application uses an  external PDF library for the pdf creation).
    They would then need to be able to edit the form fields and save/export  them as a pdf whilst offline.
    The saving/exporting of the data should be implemented by the extended Java  Script functionality (http://www.adobe.com/devnet/acrobat/pdfs/js_developer_guide.pdf). Once the data has been edited they will send the pdf file directly back to  us.
    The issue we have is with regarded to teh EULA for Acrobat Reader. If we  create those documents with an external application is the user allowed to open  those PDF files with his Adobe Reader without breaking the Adobe Reader  Restrictions in the EULA for the Reader?  (http://www.adobe.com/products/eulas/pdfs/Reader_Player_AIR_WWEULA-Combined-20080204_1313.pdf, chapter 3.2 Adobe Reader  Restrictions)

    Hello,
    the problem which I have pertains only to the Adobe Reader. Because
    our user will use Adobe Reader to open our pdf documents but it looks
    like that the EULA for the Reader doesn't allow the user to open pdf
    files which have the extended option to save data out of the form
    fields unless!! this feature was created by an adobe product. But I
    created the pdf file not with Adobe. So I don't want our user be punished...
    It is actually a question of the law? departement of Adobe. But there
    is no Forum for that
    Or could you please forward my forum question to somebody of this department.
    I don't want to publish a product where the user breaches the EULA
    every time they are opening it
    Regards
    Niels

  • Installation Issue with Adobe Reader 11.0.03.

    Hello,
    I am having issue getting Adobe Reader XI to install onto a machine and needing help resolving it. The machine itself meet and exceed the requirement for the installation. There was a previous version of it installed, but was remove via Group Policy and now it is being deploy via SCCM 2012. So far out of 100+ machines all have successful installed adobe reader XI through the new deployment, except one. Incase you're wondering what the installation logs look like I have copy and paste it below:
    === Verbose logging started: 6/5/2013  17:09:44  Build type: SHIP UNICODE 5.00.7601.00  Calling process: C:\Windows\system32\msiexec.exe ===
    MSI (c) (C4:E0) [17:09:44:988]: Font created.  Charset: Req=0, Ret=0, Font: Req=MS Shell Dlg, Ret=MS Shell Dlg
    MSI (c) (C4:E0) [17:09:44:988]: Font created.  Charset: Req=0, Ret=0, Font: Req=MS Shell Dlg, Ret=MS Shell Dlg
    MSI (c) (C4:F0) [17:09:44:994]: Resetting cached policy values
    MSI (c) (C4:F0) [17:09:44:994]: Machine policy value 'Debug' is 0
    MSI (c) (C4:F0) [17:09:44:994]: ******* RunEngine:
               ******* Product: C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi
               ******* Action:
               ******* CommandLine: **********
    MSI (c) (C4:F0) [17:09:44:995]: Client-side and UI is none or basic: Running entire install on the server.
    MSI (c) (C4:F0) [17:09:44:995]: Grabbed execution mutex.
    MSI (c) (C4:F0) [17:09:45:042]: Cloaking enabled.
    MSI (c) (C4:F0) [17:09:45:042]: Attempting to enable all disabled privileges before calling Install on Server
    MSI (c) (C4:F0) [17:09:45:045]: Incrementing counter to disable shutdown. Counter after increment: 0
    MSI (s) (D8:90) [17:09:45:050]: Running installation inside multi-package transaction C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi
    MSI (s) (D8:90) [17:09:45:050]: Grabbed execution mutex.
    MSI (s) (D8:AC) [17:09:45:052]: Resetting cached policy values
    MSI (s) (D8:AC) [17:09:45:052]: Machine policy value 'Debug' is 0
    MSI (s) (D8:AC) [17:09:45:052]: ******* RunEngine:
               ******* Product: C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi
               ******* Action:
               ******* CommandLine: **********
    MSI (s) (D8:AC) [17:09:45:066]: Machine policy value 'DisableUserInstalls' is 0
    MSI (s) (D8:AC) [17:09:45:123]: Machine policy value 'LimitSystemRestoreCheckpointing' is 0
    MSI (s) (D8:AC) [17:09:45:123]: Note: 1: 1715 2: Adobe Reader XI (11.0.03)
    MSI (s) (D8:AC) [17:09:45:123]: Calling SRSetRestorePoint API. dwRestorePtType: 0, dwEventType: 102, llSequenceNumber: 0, szDescription: "Installed Adobe Reader XI (11.0.03).".
    MSI (s) (D8:AC) [17:09:50:827]: The call to SRSetRestorePoint API succeeded. Returned status: 0, llSequenceNumber: 230.
    MSI (s) (D8:AC) [17:09:50:889]: File will have security applied from OpCode.
    MSI (s) (D8:AC) [17:09:51:049]: SOFTWARE RESTRICTION POLICY: Verifying package --> 'C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi' against software restriction policy
    MSI (s) (D8:AC) [17:09:51:049]: Note: 1: 2262 2:  DigitalSignature 3: -2147287038
    MSI (s) (D8:AC) [17:09:51:049]: SOFTWARE RESTRICTION POLICY: C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi is not digitally signed
    MSI (s) (D8:AC) [17:09:51:052]: SOFTWARE RESTRICTION POLICY: C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi is permitted to run at the 'unrestricted' authorization level.
    MSI (s) (D8:AC) [17:09:51:052]: End dialog not enabled
    MSI (s) (D8:AC) [17:09:51:052]: Original package ==> C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi
    MSI (s) (D8:AC) [17:09:51:052]: Package we're running from ==> C:\Windows\Installer\2a70f78.msi
    MSI (s) (D8:AC) [17:09:51:059]: APPCOMPAT: Compatibility mode property overrides found.
    MSI (s) (D8:AC) [17:09:51:059]: APPCOMPAT: looking for appcompat database entry with ProductCode '{AC76BA86-7AD7-1033-7B44-AB0000000001}'.
    MSI (s) (D8:AC) [17:09:51:059]: APPCOMPAT: no matching ProductCode found in database.
    MSI (s) (D8:AC) [17:09:51:065]: MSCOREE not loaded loading copy from system32
    MSI (s) (D8:AC) [17:09:51:069]: Machine policy value 'TransformsSecure' is 0
    MSI (s) (D8:AC) [17:09:51:069]: User policy value 'TransformsAtSource' is 0
    MSI (s) (D8:AC) [17:09:51:070]: Machine policy value 'DisablePatch' is 0
    MSI (s) (D8:AC) [17:09:51:070]: Machine policy value 'AllowLockdownPatch' is 0
    MSI (s) (D8:AC) [17:09:51:070]: Machine policy value 'DisableMsi' is 0
    MSI (s) (D8:AC) [17:09:51:070]: Machine policy value 'AlwaysInstallElevated' is 0
    MSI (s) (D8:AC) [17:09:51:071]: User policy value 'AlwaysInstallElevated' is 0
    MSI (s) (D8:AC) [17:09:51:071]: Running product '{AC76BA86-7AD7-1033-7B44-AB0000000001}' with user privileges: It's not assigned.
    MSI (s) (D8:AC) [17:09:51:071]: Machine policy value 'DisableLUAPatching' is 0
    MSI (s) (D8:AC) [17:09:51:071]: Machine policy value 'DisableFlyWeightPatching' is 0
    MSI (s) (D8:AC) [17:09:51:071]: APPCOMPAT: looking for appcompat database entry with ProductCode '{AC76BA86-7AD7-1033-7B44-AB0000000001}'.
    MSI (s) (D8:AC) [17:09:51:071]: APPCOMPAT: no matching ProductCode found in database.
    MSI (s) (D8:AC) [17:09:51:071]: Transforms are not secure.
    MSI (s) (D8:AC) [17:09:51:072]: PROPERTY CHANGE: Adding MsiLogFileLocation property. Its value is 'D:\ReaderXI.log'.
    MSI (s) (D8:AC) [17:09:51:072]: Command Line: CURRENTDIRECTORY=C:\Users\lavdang CLIENTUILEVEL=2 CLIENTPROCESSID=7364
    MSI (s) (D8:AC) [17:09:51:072]: PROPERTY CHANGE: Adding PackageCode property. Its value is '{8017784A-94A5-40AD-AE48-D46040E2A00C}'.
    MSI (s) (D8:AC) [17:09:51:072]: Product Code passed to Engine.Initialize:           ''
    MSI (s) (D8:AC) [17:09:51:072]: Product Code from property table before transforms: '{AC76BA86-7AD7-1033-7B44-AB0000000001}'
    MSI (s) (D8:AC) [17:09:51:072]: Product Code from property table after transforms:  '{AC76BA86-7AD7-1033-7B44-AB0000000001}'
    MSI (s) (D8:AC) [17:09:51:072]: Product not registered: beginning first-time install
    MSI (s) (D8:AC) [17:09:51:072]: Product {AC76BA86-7AD7-1033-7B44-AB0000000001} is not managed.
    MSI (s) (D8:AC) [17:09:51:072]: Machine policy value 'AlwaysInstallElevated' is 0
    MSI (s) (D8:AC) [17:09:51:072]: User policy value 'AlwaysInstallElevated' is 0
    MSI (s) (D8:AC) [17:09:51:072]: MSI_LUA: Elevation required to install product, will prompt for credentials
    MSI (s) (D8:AC) [17:09:52:894]: MSI_LUA: Credential Request return = 0x0
    MSI (s) (D8:AC) [17:09:52:894]: MSI_LUA: Elevated credential consent provided. Install will run elevated
    MSI (s) (D8:AC) [17:09:52:894]: Note: 1: 2205 2:  3: MsiPackageCertificate
    MSI (s) (D8:AC) [17:09:52:894]: PROPERTY CHANGE: Adding ProductState property. Its value is '-1'.
    MSI (s) (D8:AC) [17:09:52:894]: Entering CMsiConfigurationManager::SetLastUsedSource.
    MSI (s) (D8:AC) [17:09:52:894]: User policy value 'SearchOrder' is 'nmu'
    MSI (s) (D8:AC) [17:09:52:894]: Adding new sources is allowed.
    MSI (s) (D8:AC) [17:09:52:895]: PROPERTY CHANGE: Adding PackagecodeChanging property. Its value is '1'.
    MSI (s) (D8:AC) [17:09:52:895]: Package name extracted from package path: 'AdbeRdr11000_en_US.msi'
    MSI (s) (D8:AC) [17:09:52:895]: Package to be registered: 'AdbeRdr11000_en_US.msi'
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Modifying ADMIN_INSTALL property. Its current value is 'NO'. Its new value: 'YES'.
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Adding IsAdminPackage property. Its value is '1'.
    MSI (s) (D8:AC) [17:09:52:900]: Machine policy value 'AlwaysInstallElevated' is 0
    MSI (s) (D8:AC) [17:09:52:900]: User policy value 'AlwaysInstallElevated' is 0
    MSI (s) (D8:AC) [17:09:52:900]: Product installation will be elevated because user provided elevated credentials and product is being installed per-machine.
    MSI (s) (D8:AC) [17:09:52:900]: Running product '{AC76BA86-7AD7-1033-7B44-AB0000000001}' with elevated privileges: Product is assigned.
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Adding CURRENTDIRECTORY property. Its value is 'C:\Users\lavdang'.
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Adding CLIENTUILEVEL property. Its value is '2'.
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Adding CLIENTPROCESSID property. Its value is '7364'.
    MSI (s) (D8:AC) [17:09:52:900]: Machine policy value 'DisableAutomaticApplicationShutdown' is 0
    MSI (s) (D8:AC) [17:09:52:900]: RESTART MANAGER: Disabled by MSIRESTARTMANAGERCONTROL property; Windows Installer will use the built-in FilesInUse functionality.
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Adding MsiSystemRebootPending property. Its value is '1'.
    MSI (s) (D8:AC) [17:09:52:900]: TRANSFORMS property is now:
    MSI (s) (D8:AC) [17:09:52:900]: PROPERTY CHANGE: Adding VersionDatabase property. Its value is '300'.
    MSI (s) (D8:AC) [17:09:52:903]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming
    MSI (s) (D8:AC) [17:09:52:905]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\Favorites
    MSI (s) (D8:AC) [17:09:52:907]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Network Shortcuts
    MSI (s) (D8:AC) [17:09:52:909]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\Documents
    MSI (s) (D8:AC) [17:09:52:911]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Printer Shortcuts
    MSI (s) (D8:AC) [17:09:52:913]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Recent
    MSI (s) (D8:AC) [17:09:52:914]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\SendTo
    MSI (s) (D8:AC) [17:09:52:915]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Templates
    MSI (s) (D8:AC) [17:09:52:915]: SHELL32::SHGetFolderPath returned: C:\ProgramData
    MSI (s) (D8:AC) [17:09:52:916]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Local
    MSI (s) (D8:AC) [17:09:52:917]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\Pictures
    MSI (s) (D8:AC) [17:09:52:919]: SHELL32::SHGetFolderPath returned: C:\ProgramData\Microsoft\Windows\Start Menu\Programs\Administrative Tools
    MSI (s) (D8:AC) [17:09:52:920]: SHELL32::SHGetFolderPath returned: C:\ProgramData\Microsoft\Windows\Start Menu\Programs\Startup
    MSI (s) (D8:AC) [17:09:52:921]: SHELL32::SHGetFolderPath returned: C:\ProgramData\Microsoft\Windows\Start Menu\Programs
    MSI (s) (D8:AC) [17:09:52:922]: SHELL32::SHGetFolderPath returned: C:\ProgramData\Microsoft\Windows\Start Menu
    MSI (s) (D8:AC) [17:09:52:923]: SHELL32::SHGetFolderPath returned: C:\Users\Public\Desktop
    MSI (s) (D8:AC) [17:09:52:926]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Start Menu\Programs\Administrative Tools
    MSI (s) (D8:AC) [17:09:52:927]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Start Menu\Programs\Startup
    MSI (s) (D8:AC) [17:09:52:928]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Start Menu\Programs
    MSI (s) (D8:AC) [17:09:52:929]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Start Menu
    MSI (s) (D8:AC) [17:09:52:930]: SHELL32::SHGetFolderPath returned: C:\Users\lavdang\Desktop
    MSI (s) (D8:AC) [17:09:52:931]: SHELL32::SHGetFolderPath returned: C:\ProgramData\Microsoft\Windows\Templates
    MSI (s) (D8:AC) [17:09:52:932]: SHELL32::SHGetFolderPath returned: C:\Windows\Fonts
    MSI (s) (D8:AC) [17:09:52:932]: Note: 1: 2898 2: MS Sans Serif 3: MS Sans Serif 4: 0 5: 16
    MSI (s) (D8:AC) [17:09:52:935]: MSI_LUA: Setting AdminUser property to 1 because this is the client or the user has already permitted elevation
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding AdminUser property. Its value is '1'.
    MSI (s) (D8:AC) [17:09:52:935]: MSI_LUA: Setting MsiRunningElevated property to 1 because the install is already running elevated.
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding MsiRunningElevated property. Its value is '1'.
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding Privileged property. Its value is '1'.
    MSI (s) (D8:AC) [17:09:52:935]: Note: 1: 1402 2: HKEY_CURRENT_USER\Software\Microsoft\MS Setup (ACME)\User Info 3: 2
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding USERNAME property. Its value is 'SPEC Services, Inc.'.
    MSI (s) (D8:AC) [17:09:52:935]: Note: 1: 1402 2: HKEY_CURRENT_USER\Software\Microsoft\MS Setup (ACME)\User Info 3: 2
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding COMPANYNAME property. Its value is 'SPEC Services, Inc.'.
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding DATABASE property. Its value is 'C:\Windows\Installer\2a70f78.msi'.
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding OriginalDatabase property. Its value is 'C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi'.
    MSI (s) (D8:AC) [17:09:52:935]: Machine policy value 'MsiDisableEmbeddedUI' is 0
    MSI (s) (D8:AC) [17:09:52:935]: Note: 1: 2205 2:  3: PatchPackage
    MSI (s) (D8:AC) [17:09:52:935]: Machine policy value 'DisableRollback' is 0
    MSI (s) (D8:AC) [17:09:52:935]: User policy value 'DisableRollback' is 0
    MSI (s) (D8:AC) [17:09:52:935]: PROPERTY CHANGE: Adding UILevel property. Its value is '3'.
    === Logging started: 6/5/2013  17:09:52 ===
    MSI (s) (D8:AC) [17:09:52:936]: PROPERTY CHANGE: Adding ACTION property. Its value is 'INSTALL'.
    MSI (s) (D8:AC) [17:09:52:936]: Doing action: INSTALL
    Action start 17:09:52: INSTALL.
    MSI (s) (D8:AC) [17:09:52:937]: Running ExecuteSequence
    MSI (s) (D8:AC) [17:09:52:937]: Doing action: SystemFolder.21022.08.Microsoft_VC90_CRT_x86.RTM.0138F525_6C8A_333F_A105_14AE030B9A54
    MSI (s) (D8:AC) [17:09:52:937]: PROPERTY CHANGE: Adding SystemFolder.21022.08.Microsoft_VC90_CRT_x86.RTM.0138F525_6C8A_333F_A105_14AE030B9A54 property. Its value is 'C:\Windows\SysWOW64\'.
    Action start 17:09:52: SystemFolder.21022.08.Microsoft_VC90_CRT_x86.RTM.0138F525_6C8A_333F_A105_14AE030B9A54.
    MSI (s) (D8:AC) [17:09:52:937]: Doing action: WindowsFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D
    Action ended 17:09:52: SystemFolder.21022.08.Microsoft_VC90_CRT_x86.RTM.0138F525_6C8A_333F_A105_14AE030B9A54. Return value 1.
    MSI (s) (D8:AC) [17:09:52:937]: PROPERTY CHANGE: Adding WindowsFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D property. Its value is 'C:\Windows\'.
    Action start 17:09:52: WindowsFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D.
    MSI (s) (D8:AC) [17:09:52:937]: Doing action: SystemFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D
    Action ended 17:09:52: WindowsFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D. Return value 1.
    MSI (s) (D8:AC) [17:09:52:938]: PROPERTY CHANGE: Adding SystemFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D property. Its value is 'C:\Windows\SysWOW64\'.
    Action start 17:09:52: SystemFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D.
    MSI (s) (D8:AC) [17:09:52:938]: Doing action: ISSetupFilesExtract
    Action ended 17:09:52: SystemFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D. Return value 1.
    MSI (s) (D8:70) [17:09:54:074]: Invoking remote custom action. DLL: C:\Windows\Installer\MSI17B2.tmp, Entrypoint: SFStartupEx
    MSI (s) (D8:E8) [17:09:54:075]: Generating random cookie.
    MSI (s) (D8:E8) [17:09:54:077]: Created Custom Action Server with PID 8648 (0x21C8).
    MSI (s) (D8:A8) [17:09:54:108]: Running as a service.
    MSI (s) (D8:A8) [17:09:54:109]: Hello, I'm your 32bit Impersonated custom action server.
    Action start 17:09:52: ISSetupFilesExtract.
    1: Starting to extract setup files
    1: Getting SUPPORTDIR property :  
    1: Extracting SetupFiles to:  C:\Users\lavdang\AppData\Local\Temp\{AC76BA86-7AD7-1033-7B44-AB0000000001}
    1: Getting ISSetupFile table view
    1: Executing ISSetupFile table view
    1: Extracting Setup File:
    1: C:\Users\lavdang\AppData\Local\Temp\{AC76BA86-7AD7-1033-7B44-AB0000000001}\FixTransforms. exe
    MSI (s) (D8!64) [17:09:54:183]: PROPERTY CHANGE: Adding SUPPORTDIR property. Its value is 'C:\Users\lavdang\AppData\Local\Temp\{AC76BA86-7AD7-1033-7B44-AB0000000001}'.
    MSI (s) (D8!64) [17:09:54:183]: PROPERTY CHANGE: Adding ISSETUPFILESCOMPLETED property. Its value is 'Completed'.
    1: Setting SUPPORTDIR property to:  C:\Users\lavdang\AppData\Local\Temp\{AC76BA86-7AD7-1033-7B44-AB0000000001}
    1: Setting ISSETUPFILESCOMPLETED property
    MSI (s) (D8:AC) [17:09:54:184]: Doing action: AppSearch
    Action ended 17:09:54: ISSetupFilesExtract. Return value 1.
    Action start 17:09:54: AppSearch.
    MSI (s) (D8:AC) [17:09:54:184]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Microsoft\Windows\CurrentVersion\App Paths\Acrobat.exe 3: 2
    MSI (s) (D8:AC) [17:09:54:186]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Adobe\Acrobat Reader\11.0\Installer 3: 2
    MSI (s) (D8:AC) [17:09:54:186]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Adobe\Acrobat Reader\6.0\InstallPath 3: 2
    MSI (s) (D8:AC) [17:09:54:186]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\Software\Adobe\Acrobat Reader\11.0\Installer\Optimization 3: 2
    MSI (s) (D8:AC) [17:09:54:186]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\Software\Adobe\Repair\Acrobat Reader 3: 2
    MSI (s) (D8:AC) [17:09:54:186]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\Software\Adobe\Acrobat Reader\11.0\Installer\Optimization 3: 2
    MSI (s) (D8:AC) [17:09:54:187]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Adobe\Acrobat Reader\7.0\InstallPath 3: 2
    MSI (s) (D8:AC) [17:09:54:187]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Adobe\Adobe Acrobat\11.0\InstallPath 3: 2
    MSI (s) (D8:AC) [17:09:54:187]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Adobe\Acrobat Reader\8.0\Installer 3: 2
    MSI (s) (D8:AC) [17:09:54:187]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE32\SOFTWARE\Microsoft\Windows\CurrentVersion\App Paths\AcroRd32.exe 3: 2
    MSI (s) (D8:AC) [17:09:54:187]: Doing action: SetOSSpecificProperties
    Action ended 17:09:54: AppSearch. Return value 1.
    MSI (s) (D8:6C) [17:09:54:212]: Invoking remote custom action. DLL: C:\Windows\Installer\MSI1CA3.tmp, Entrypoint: SetOSSpecificProperties
    MSI (s) (D8!9C) [17:09:54:227]: PROPERTY CHANGE: Adding WindowsSystemString property. Its value is '(Windows Vista 64-bit)'.
    Action start 17:09:54: SetOSSpecificProperties.
    MSI (s) (D8:AC) [17:09:54:228]: Doing action: LaunchConditions
    Action ended 17:09:54: SetOSSpecificProperties. Return value 1.
    Action start 17:09:54: LaunchConditions.
    MSI (s) (D8:AC) [17:09:55:643]: Product: Adobe Reader XI (11.0.03) -- Adobe Reader XI (11.0.03) requires Internet Explorer 7.0 or greater.  Please visit www.microsoft.com to upgrade Internet Explorer.
    MSI (c) (C4:E0) [17:09:54:230]: Font created.  Charset: Req=0, Ret=0, Font: Req=MS Shell Dlg, Ret=MS Shell Dlg
    Adobe Reader XI (11.0.03) requires Internet Explorer 7.0 or greater.  Please visit www.microsoft.com to upgrade Internet Explorer.
    Action ended 17:09:55: LaunchConditions. Return value 3.
    Action ended 17:09:55: INSTALL. Return value 3.
    Property(S): Text = 0
    Property(S): DiskPrompt = [1]
    Property(S): Registration = No
    Property(S): UpgradeCode = {A6EADE66-0000-0000-484E-7E8A45000000}
    Property(S): WindowsSystemString = (Windows Vista 64-bit)
    Property(S): ISSETUPFILESCOMPLETED = Completed
    Property(S): VersionNT = 601
    Property(S): ProgramFilesFolder = C:\Program Files (x86)\
    Property(S): CommonFilesFolder = C:\Program Files (x86)\Common Files\
    Property(S): CommonAppDataFolder = C:\ProgramData\
    Property(S): AdminToolsFolder = C:\ProgramData\Microsoft\Windows\Start Menu\Programs\Administrative Tools\
    Property(S): AppDataFolder = C:\Users\lavdang\AppData\Roaming\
    Property(S): CommonFiles64Folder = C:\Program Files\Common Files\
    Property(S): DesktopFolder = C:\Users\Public\Desktop\
    Property(S): FavoritesFolder = C:\Users\lavdang\Favorites\
    Property(S): FontsFolder = C:\Windows\Fonts\
    Property(S): LocalAppDataFolder = C:\Users\lavdang\AppData\Local\
    Property(S): MyPicturesFolder = C:\Users\lavdang\Pictures\
    Property(S): PersonalFolder = C:\Users\lavdang\Documents\
    Property(S): ProgramFiles64Folder = C:\Program Files\
    Property(S): ProgramMenuFolder = C:\ProgramData\Microsoft\Windows\Start Menu\Programs\
    Property(S): SendToFolder = C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\SendTo\
    Property(S): StartMenuFolder = C:\ProgramData\Microsoft\Windows\Start Menu\
    Property(S): StartupFolder = C:\ProgramData\Microsoft\Windows\Start Menu\Programs\Startup\
    Property(S): System64Folder = C:\Windows\system32\
    Property(S): SystemFolder = C:\Windows\SysWOW64\
    Property(S): TempFolder = C:\Users\lavdang\AppData\Local\Temp\
    Property(S): TemplateFolder = C:\ProgramData\Microsoft\Windows\Templates\
    Property(S): WindowsFolder = C:\Windows\
    Property(S): WindowsVolume = C:\
    Property(S): SUPPORTDIR = C:\Users\lavdang\AppData\Local\Temp\{AC76BA86-7AD7-1033-7B44-AB0000000001}
    Property(S): ACTION = INSTALL
    Property(S): VersionNT64 = 601
    Property(S): UILevel = 3
    Property(S): OriginalDatabase = C:\Windows\ccmcache\2p\AdbeRdr11000_en_US.msi
    Property(S): DATABASE = C:\Windows\Installer\2a70f78.msi
    Property(S): COMPANYNAME = SPEC Services, Inc.
    Property(S): USERNAME = SPEC Services, Inc.
    Property(S): MsiRunningElevated = 1
    Property(S): AdminUser = 1
    Property(S): RedirectedDllSupport = 2
    Property(S): WindowsFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D = C:\Windows\
    Property(S): SystemFolder_x86_VC.AFA96EB4_FA9F_335C_A7CB_36079407553D = C:\Windows\SysWOW64\
    Property(S): ALLUSERS = 1
    Property(S): DirectoryTable100_x86.AFA96EB4_FA9F_335C_A7CB_36079407553D = DirectoryTable
    Property(S): SystemFolder.21022.08.Microsoft_VC90_CRT_x86.RTM.0138F525_6C8A_333F_A105_14AE030B9A54 = C:\Windows\SysWOW64\
    Property(S): Dummy_Microsoft_VC90_CRT_x86.0138F525_6C8A_333F_A105_14AE030B9A54 = 1
    Property(S): Dummy_policy_9_0_Microsoft_VC90_CRT_x86.52105B6B_A3EF_3A90_882A_947B287C203A = 1
    Property(S): MsiWin32AssemblySupport = 6.1.7601.17514
    Property(S): MsiNetAssemblySupport = 4.0.30319.1
    Property(S): Date = 6/5/2013
    Property(S): Time = 17:09:55
    Property(S): TTCSupport = 1
    Property(S): ColorBits = 32
    Property(S): TextInternalLeading = 3
    Property(S): TextHeight = 16
    Property(S): BorderSide = 1
    Property(S): BorderTop = 1
    Property(S): CaptionHeight = 19
    Property(S): ScreenY = 768
    Property(S): ScreenX = 1024
    Property(S): SystemLanguageID = 1033
    Property(S): ComputerName = SP8430
    Property(S): AS_REPAIR_VERSION_LIST = A
    Property(S): UserLanguageID = 1033
    Property(S): ProductCode = {AC76BA86-7AD7-1033-7B44-AB0000000001}
    Property(S): ApplicationUsers = AllUsers
    Property(S): AgreeToLicense = No
    Property(S): _IsMaintenance = Reinstall
    Property(S): SetupType = Typical
    Property(S): _IsSetupTypeMin = Typical
    Property(S): ARPCONTACT = Customer Support
    Property(S): ARPHELPLINK = http://www.adobe.com/support/main.html
    Property(S): ARPREADME = Readme.htm
    Property(S): ARPURLINFOABOUT = http://www.adobe.com
    Property(S): ARPURLUPDATEINFO = http://www.adobe.com/products/acrobat/readstep.html
    Property(S): DefaultUIFont = Tahoma8
    Property(S): ErrorDialog = SetupError
    Property(S): INSTALLLEVEL = 100
    Property(S): ISSCRIPT_VERSION_MISSING = The InstallScript engine is missing from this machine.  If available, please run ISScript.msi, or contact your support personnel for further assistance.
    Property(S): Manufacturer = Adobe Systems Incorporated
    Property(S): PIDTemplate = 12345<###-%%%%%%%>@@@@@
    Property(S): ProductID = none
    Property(S): ProductLanguage = 1033
    Property(S): ProductName = Adobe Reader XI (11.0.03)
    Property(S): ProductVersion = 11.0.03
    Property(S): ProgressType0 = install
    Property(S): ProgressType1 = Installing
    Property(S): ProgressType2 = installed
    Property(S): ProgressType3 = installs
    Property(S): RebootYesNo = Yes
    Property(S): ReinstallModeText = omus
    Property(S): TRACKINGKEY = Software\Adobe\Acrobat Reader\7.0
    Property(S): ARPPRODUCTICON = SC_Reader.ico
    Property(S): Cancel = 0
    Property(S): RadioGroup = 0
    Property(S): TypicalText = 0
    Property(S): ARPCOMMENTS =   
    Property(S): ERROR_MIN_OVER_BIG = Setup has detected that you already have a more functional product installed.  Setup will now terminate.
    Property(S): SecureCustomProperties = DEFAULT_VERB;ACTIONPROPERTY;ELEMENTS;RDRMIN;RDRBIG;RDRBIG_8X;RDRBIG_9X;RDRBIG_10X;UT_FRB; UT_FRS;UT_AT;UT_AP1;UT_AP2;UT_AS1;UT_AS2;UT_A3D;UT_6X;UT_7X;UT_MM61;UT_MM62;UT_MM63;UT_EB6 1;UT_EB62;UT_EB63;AS_OPTIMIZE_ENABLED;ACROBAT_APP_PATH;AS_HKCR_EXE;PDFSHELL_LOCALSERVER_CO MMAND;PDF_DEFAULTICON;PDF_PREVIEW_HANDERLER_DLL;PDF_PREVIEW_HANDERLER_HELPDIR;DISABLE_PDFO WNERSHIP_RESTORE;PDF_INPROCSERVER_VIEWERPS;READER_PATH;IS_CURRENT_PDFOWNER;SUPPRESSLANGSEL ECTION;MIN_SYSTEM;ACROBAT_11_INSTALLED;AS_INSTALLDIR;ARM_COLLECT;BLOCK_APP_TIMEOUT;BLOCK_E NTRYPOINT_LOGGING;UPDATE_MODE;UPDATE_UI_MODE;PDX_DEFAULT_PROGID;DEFAULT_PROGID;OWNERSHIP_S TATE;PDF_INTEGRATION;ENABLE_OPTIMIZATION;DEFAULT_PDF_PROGID;DEFAULT_CURVER_PROGID;PDF_ACRO BROKER_PATH;INSTALLMAJORVERSION;ARMED
    Property(S): BrandName = Adobe Reader XI (11.0.03)
    Property(S): ISVROOT_PORT_NO = 0
    Property(S): UserSID = S-1-5-21-606747145-884357618-1801674531-3921
    Property(S): IsMinIE_Message = requires Internet Explorer 7.0 or greater.  Please visit www.microsoft.com to upgrade Internet Explorer.
    Property(S): ISLANGFLAG = ENU
    Property(S): FilesLabel = 0
    Property(S): DisallowRunFromSource = 1
    Property(S): AppsInUseSilentAbort = A process is running that cannot be shut down by Setup.  Please either close all applications and run Setup again, or restart your computer and run Setup again.
    Property(S): ENABLE_CACHE_FILES = YES
    Property(S): OLE_VERB_OPEN = &Open,0,2
    Property(S): REINSTALLMODE = omus
    Property(S): Elevated = 1
    Property(S): ENABLE_OPTIMIZATION = YES
    Property(S): ERROR_DEFRAG_MSG = Optimizing performance ...
    Property(S): ERROR_DEFRAG_ADTEMPLATE = Completed [1]% of process
    Property(S): ERROR_CANNOT_OPTIMIZE_DISK = NOTE: Installation was successful. However, because your hard drive is fragmented, this application may not be able to launch as quickly as possible. To optimize performance, please defragment your hard drive and then repair this application under Add or Remove Programs in the Control Panel.
    Property(S): EULA_ACCEPT = NO
    Property(S): DISABLE_BROWSER_INTEGRATION = NO
    Property(S): AcroIEHelper_Description = Adobe PDF Reader Link Helper
    Property(S): ADMIN_INSTALL = YES
    Property(S): AdminProperties = ADMIN_INSTALL
    Property(S): REMOVE_PREVIOUS = YES
    Property(S): SYNCHRONIZER = YES
    Property(S): OpenWith = Open with Adobe Reader XI
    Property(S): SetupCacheExport = 
    Property(S): LC_UNSUPPORTED_OS = This application cannot be installed on this operating system. Setup will now terminate. Please refer to the minimum system requirements at http://www.adobe.com/go/reader_system_reqs.
    Property(S): ApplicationList = 0
    Property(S): DEFAULT_ATTACHMENT_WHITELIST = version:1|.ade:3|.adp:3|.app:3|.arc:3|.arj:3|.asp:3|.bas:3|.bat:3|.bz:3|.bz2:3|.cab:3|.ch m:3|.class:3|.cmd:3|.com:3|.command:3|.cpl:3|.crt:3|.csh:3|.desktop:3|.dll:3|.exe:3|.fxp:3 |.gz:3|.hex:3|.hlp:3|.hqx:3|.hta:3|.inf:3|.ini:3|.ins:3|.isp:3|.its:3|.job:3|.js:3|.jse:3| .ksh:3|.lnk:3|.lzh:3|.mad:3|.maf:3|.mag:3|.mam:3|.maq:3|.mar:3|.mas:3|.mat:3|.mau:3|.mav:3 |.maw:3|.mda:3|.mdb:3|.mde:3|.mdt:3|.mdw:3|.mdz:3|.msc:3|.msi:3|.msp:3|.mst:3|.ocx:3|.ops: 3|.pcd:3|.pi:3|.pif:3|.prf:3|.prg:3|.pst:3|.rar:3|.reg:3|.scf:3|.scr:3|.sct:3|.sea:3|.shb: 3|.shs:3|.sit:3|.tar:3|.taz:3|.tgz:3|.tmp:3|.url:3|.vb:3|.vbe:3|.vbs:3|.vsmacros:3|.vss:3| .vst:3|.vsw:3|.webloc:3|.ws:3|.wsc:3|.wsf:3|.wsh:3|.z:3|.zip:3|.zlo:3|.zoo:3|.pdf:2|.fdf:2 |.jar:3|.pkg:3|.tool:3|.term:3
    Property(S): EXEC_MENU_WHITELIST = Close|GeneralInfo|Quit|FirstPage|PrevPage|NextPage|LastPage|ActualSize|FitPage|FitWidth|F itHeight|SinglePage|OneColumn|TwoPages|TwoColumns|ZoomViewIn|ZoomViewOut|ShowHideBookmarks |ShowHideThumbnails|Print|GoToPage|ZoomTo|GeneralPrefs|SaveAs|FullScreenMode|OpenOrganizer |Scan|Web2PDF:OpnURL|AcroSendMail:SendMail|Spelling:Check Spelling|PageSetup|Find|FindSearch|GoBack|GoForward|FitVisible|ShowHideArticles|ShowHideF ileAttachment|ShowHideAnnotManager|ShowHideFields|ShowHideOptCont|ShowHideModelTree|ShowHi deSignatures|InsertPages|ExtractPages|ReplacePages|DeletePages|CropPages|RotatePages|AddFi leAttachment|FindCurrentBookmark|BookmarkShowLocation|GoBackDoc|GoForwardDoc|DocHelpUserGu ide|HelpReader|rolReadPage|HandMenuItem|ZoomDragMenuItem|CollectionPreview|CollectionHome| CollectionDetails|CollectionShowRoot|&Pages|Co&ntent|&Forms|Action &Wizard|Recognize &Text|P&rotection|&Sign && Certify|Doc&ument Processing|Print Pro&duction|Ja&vaScript|&Accessibility|Analy&ze|&Annotations|D&rawing Markups|Revie&w
    Property(S): Browser_Integration = 2
    Property(S): ARPNOREPAIR = 1
    Property(S): ActionTextLabel = 0
    Property(S): CurrentPdfOwner = 0
    Property(S): ReadmeHtml = Readme.htm
    Property(S): OprimizeError2 = 0
    Property(S): KBDOCLINK_ERROR_INVDRIVE = http://kb2.adobe.com/cps/404/kb404946.html
    Property(S): ReaderProcessPopup = 0
    Property(S): BrandNameMajorVer = Adobe Reader XI
    Property(S): DefragResetProgress = No
    Property(S): PROGMSG_IIS_REMOVESITE = Removing web site at port %d
    Property(S): PROGMSG_IIS_CREATEVROOT = Creating IIS virtual directory %s
    Property(S): PROGMSG_IIS_CREATEVROOTS = Creating IIS virtual directories...
    Property(S): PROGMSG_IIS_EXTRACTDONE = Extracted information for IIS virtual directories...
    Property(S): PROGMSG_IIS_REMOVEVROOT = Removing IIS virtual directory %s
    Property(S): PROGMSG_IIS_REMOVEVROOTS = Removing IIS virtual directories...
    Property(S): PROGMSG_IIS_ROLLBACKVROOTS = Rolling back virtual directory and web site changes...
    Property(S): PROGMSG_IIS_EXTRACT = Extracting information for IIS virtual directories...
    Property(S): IS_COMPLUS_PROGRESSTEXT_COST = Costing COM+ application: [1]
    Property(S): IS_COMPLUS_PROGRESSTEXT_INSTALL = Installing COM+ application: [1]
    Property(S): IS_COMPLUS_PROGRESSTEXT_UNINSTALL = Uninstalling COM+ application: [1]
    Property(S): IS_SQLSERVER_AUTHENTICATION = 0
    Property(S): IS_SQLSERVER_USERNAME = sa
    Property(S): PDF_INTEGRATION = 1
    Property(S): _5789b66a5ab8e = {AC76BA80-0011-7AD7-0000-000000000000}
    Property(S): AttentionCloseReader = 0
    Property(S): RunTimeProperties = CACHE_DIR;ProductName;OriginalDatabase;REMOVE;WindowsFolder;SetupCacheExport;ALLUSERS;REI NSTALLMODE;PLUG_INS;DefragResetProgress;ALLUSERS_APPDATA_ADOBE;DEFAULT_VERB;IS_CURRENT_PDF OWNER;ACTIVE_X;Installed;READER;ProductCode;UPDATE_MODE;INSTALLMAJORVERSION;VersionNT;Vers ionNT64;SystemFolder;PATCH
    Property(S): ReaderDefaultProgramDesc = is the trusted standard for reliably viewing,  printing, signing and commenting on PDF documents. It's the only PDF viewer that can open and interact with all types of PDF content - including forms and multimedia - and is available across leading desktop and mobile device platforms
    Property(S): DV = 11.0
    Property(S): MSIRESTARTMANAGERCONTROL = Disable
    Property(S): IS_PROGMSG_XML_COSTING = Costing XML files...
    Property(S): IS_PROGMSG_XML_CREATE_FILE = Creating XML file %s...
    Property(S): IS_PROGMSG_XML_FILES = Performing XML file changes...
    Property(S): IS_PROGMSG_XML_REMOVE_FILE = Removing XML file %s...
    Property(S): IS_PROGMSG_XML_ROLLBACK_FILES = Rolling back XML file changes...
    Property(S): IS_PROGMSG_XML_UPDATE_FILE = Updating XML file %s...
    Property(S): PROGMSG_IIS_CREATEAPPPOOLS = Creating application Pools...
    Property(S): PROGMSG_IIS_CREATEAPPPOOL = Creating application pool %s
    Property(S): PROGMSG_IIS_CREATEWEBSERVICEEXTENSION = Creating web service extension
    Property(S): PROGMSG_IIS_CREATEWEBSERVICEEXTENSIONS = Creating web service extensions...
    Property(S): PROGMSG_IIS_REMOVEAPPPOOL = Removing application pool
    Property(S): PROGMSG_IIS_REMOVEAPPPOOLS = Removing application pools...
    Property(S): PROGMSG_IIS_REMOVEWEBSERVICEEXTENSION = Removing web service extension
    Property(S): PROGMSG_IIS_REMOVEWEBSERVICEEXTENSIONS = Removing web service extensions...
    Property(S): PROGMSG_IIS_ROLLBACKAPPPOOLS = Rolling back application pools...
    Property(S): PROGMSG_IIS_ROLLBACKWEBSERVICEEXTENSIONS = Rolling back web service extensions...
    Property(S): RestartManagerOption = CloseRestart
    Property(S): DEFAULT_VERB = Read
    Property(S): UPDATE_UI_MODE = 3
    Property(S): BLOCK_APP_TIMEOUT = 120
    Property(S): BLOCK_ENTRYPOINT_LOGGING = 0
    Property(S): LC_UNSUPPORTED_OS_2 = Setup will now terminate. Please refer to the minimum system requirements at http://www.adobe.com/go/reader_system_reqs.
    Property(S): LC_UNSUPPORTED_OS_1 = This application cannot be installed on this operating system
    Property(S): AppsInUseUnknownAcrobatApps = Applications that are using Adobe Reader or Adobe Acrobat
    Property(S): EmbdUI = 1
    Property(S): ADOBE_LINK = http://www.adobe.com
    Property(S): _WebLinkChecked = 0
    Property(S): CurrentProduct = 0
    Property(S): DWUSLINK = CEFB870FBECC80BF79AC97C8298C978FD9DCB78FCEDC5098CE8B974F99DBF0F8CEEC50A809AC
    Property(S): LogonUser = Lavdang
    Property(S): PROCESSPATHWITHID = %s with process ID: %d
    Property(S): LANG_LIST = en_US,ca_ES,eu_ES,bg_BG,zh_CN,zh_TW,cs_CZ,da_DK,de_DE,es_ES,et_ET,fr_FR,hr_HR,hu_HU,it_IT ,ja_JP,ko_KR,lt_LT,lv_LV,nl_NL,nb_NO,pl_PL,pt_BR,ro_RO,ru_RU,sk_SK,sl_SI,fi_FI,sv_SE,tr_TR ,uk_UA
    Property(S): PROGMSG_IIS_EXTRACTDONEz = Extracted information for IIS virtual directories...
    Property(S): PROGMSG_IIS_EXTRACTzDONE = Extracted information for IIS virtual directories...
    Property(S): UNKNOWNPROCESSWITHID = Unknown process with process ID: %d
    Property(S): Square = 1
    Property(S): SUPPRESSLANGSELECTION = 1
    Property(S): ISReleaseFlags = ENU,READERBIG
    Property(S): VirtualMemory = 39564
    Property(S): PhysicalMemory = 12278
    Property(S): Intel = 6
    Property(S): Msix64 = 6
    Property(S): Privileged = 1
    Property(S): MsiAMD64 = 6
    Property(S): ShellAdvtSupport = 1
    Property(S): OLEAdvtSupport = 1
    Property(S): GPTSupport = 1
    Property(S): RecentFolder = C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Recent\
    Property(S): PrintHoodFolder = C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Printer Shortcuts\
    Property(S): NetHoodFolder = C:\Users\lavdang\AppData\Roaming\Microsoft\Windows\Network Shortcuts\
    Property(S): RemoteAdminTS = 1
    Property(S): MsiNTProductType = 1
    Property(S): ServicePackLevelMinor = 0
    Property(S): ServicePackLevel = 1
    Property(S): WindowsBuild = 7601
    Property(S): VersionMsi = 5.00
    Property(S): MsiSystemRebootPending = 1
    Property(S): VersionDatabase = 300
    Property(S): CLIENTPROCESSID = 7364
    Property(S): CLIENTUILEVEL = 2
    Property(S): CURRENTDIRECTORY = C:\Users\lavdang
    Property(S): IsAdminPackage = 1
    Property(S): PackagecodeChanging = 1
    Property(S): ProductState = -1
    Property(S): PackageCode = {8017784A-94A5-40AD-AE48-D46040E2A00C}
    Property(S): MsiLogFileLocation = D:\ReaderXI.log
    MSI (s) (D8:AC) [17:09:55:668]: Note: 1: 1708
    MSI (s) (D8:AC) [17:09:55:668]: Product: Adobe Reader XI (11.0.03) -- Installation operation failed.
    MSI (s) (D8:AC) [17:09:55:669]: Windows Installer installed the product. Product Name: Adobe Reader XI (11.0.03). Product Version: 11.0.03. Product Language: 1033. Manufacturer: Adobe Systems Incorporated. Installation success or error status: 1603.
    MSI (s) (D8:AC) [17:09:55:671]: Deferring clean up of packages/files, if any exist
    MSI (s) (D8:AC) [17:09:55:671]: MainEngineThread is returning 1603
    MSI (s) (D8:90) [17:09:55:671]: Calling SRSetRestorePoint API. dwRestorePtType: 13, dwEventType: 103, llSequenceNumber: 230, szDescription: "".
    MSI (s) (D8:90) [17:09:55:672]: The call to SRSetRestorePoint API succeeded. Returned status: 0.
    === Logging stopped: 6/5/2013  17:09:55 ===
    MSI (s) (D8:90) [17:09:55:673]: User policy value 'DisableRollback' is 0
    MSI (s) (D8:90) [17:09:55:673]: Machine policy value 'DisableRollback' is 0
    MSI (s) (D8:90) [17:09:55:673]: Incrementing counter to disable shutdown. Counter after increment: 0
    MSI (s) (D8:90) [17:09:55:673]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE\Software\Microsoft\Windows\CurrentVersion\Installer\Rollback\Scripts 3: 2
    MSI (s) (D8:90) [17:09:55:674]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE\Software\Microsoft\Windows\CurrentVersion\Installer\Rollback\Scripts 3: 2
    MSI (s) (D8:90) [17:09:55:674]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE\Software\Microsoft\Windows\CurrentVersion\Installer\InProgress 3: 2
    MSI (s) (D8:90) [17:09:55:674]: Note: 1: 1402 2: HKEY_LOCAL_MACHINE\Software\Microsoft\Windows\CurrentVersion\Installer\InProgress 3: 2
    MSI (s) (D8:90) [17:09:55:674]: Decrementing counter to disable shutdown. If counter >= 0, shutdown will be denied.  Counter after decrement: -1
    MSI (s) (D8:90) [17:09:55:674]: Restoring environment variables
    MSI (s) (D8:90) [17:09:55:675]: Destroying RemoteAPI object.
    MSI (s) (D8:E8) [17:09:55:675]: Custom Action Manager thread ending.
    MSI (c) (C4:F0) [17:09:55:676]: Decrementing counter to disable shutdown. If counter >= 0, shutdown will be denied.  Counter after decrement: -1
    MSI (c) (C4:F0) [17:09:55:676]: MainEngineThread is returning 1603
    === Verbose logging stopped: 6/5/2013  17:09:55 ===

    This thread is pretty old, are you still having this issue?

  • Please help a complete newbie get to grips with website project

    Hi all,
           I've been following a lynda.com tutorial called Creating a First Web Site with Dreamweaver CS6. I have limited HTML and CSS knowledge, but i thought i'd be fine if i didn't stray too much from the advice offered in this tutorial. The problem is, the tutorial is designed around creating a responsive website. Whereas the site i'd already designed in Illustrator uses fixed width & height type rusted metallic backgrounds and boxes that the text sits on is mean't to sit on. Anyway, all was going well until i hit the section that deals with creating a mobile layout; in particular a mobile.css. Obviously my fixed parameter boxes, created in illustrator, don't adapt to being scaled down from their original settings.
    I hope i'm making some kind of sense, since i've had very little sleep because the little one has a cold.
    So my question is, do i create a whole new mobile layout in illustrator? So for example my desktop background is 1366x1000, so i''d want to scale this down to 480x800 for mobile. Likewise the same for the rusted metallic text boxes. The header box at the top of the page is 940px by 185px, so i'd create one that's roughly (just a crude guesstimate) 380px by 85px etc etc. I've uploaded a still shot of my project here, so you get a better idea of what 'm talking about - http://imageshack.us/f/15/ba9t.jpg/
    The code for my html is -
    <!doctype html>
    <html>
    <head>
    <meta charset="utf-8">
    <meta name="viewport" content="width=device-width">
    <title>Jason Charnley's Powerhouse Gym Chorley</title>
    <style type="text/css">
    </style>
    <link href="CSS Folder/powerhousestylesheet.css" rel="stylesheet" type="text/css">
    <!-- Mobile -->
    <script type="text/javascript">
    function MM_swapImgRestore() { //v3.0
      var i,x,a=document.MM_sr; for(i=0;a&&i<a.length&&(x=a[i])&&x.oSrc;i++) x.src=x.oSrc;
    function MM_preloadImages() { //v3.0
      var d=document; if(d.images){ if(!d.MM_p) d.MM_p=new Array();
        var i,j=d.MM_p.length,a=MM_preloadImages.arguments; for(i=0; i<a.length; i++)
        if (a[i].indexOf("#")!=0){ d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];}}
    function MM_findObj(n, d) { //v4.01
      var p,i,x;  if(!d) d=document; if((p=n.indexOf("?"))>0&&parent.frames.length) {
        d=parent.frames[n.substring(p+1)].document; n=n.substring(0,p);}
      if(!(x=d[n])&&d.all) x=d.all[n]; for (i=0;!x&&i<d.forms.length;i++) x=d.forms[i][n];
      for(i=0;!x&&d.layers&&i<d.layers.length;i++) x=MM_findObj(n,d.layers[i].document);
      if(!x && d.getElementById) x=d.getElementById(n); return x;
    function MM_swapImage() { //v3.0
      var i,j=0,x,a=MM_swapImage.arguments; document.MM_sr=new Array; for(i=0;i<(a.length-2);i+=3)
       if ((x=MM_findObj(a[i]))!=null){document.MM_sr[j++]=x; if(!x.oSrc) x.oSrc=x.src; x.src=a[i+2];}
    </script>
    </head>
    <body onLoad="MM_preloadImages('images/Facebook-Logo-rollover.png','images/Youtube-Logo-rollove r.png','images/Twitter-Logo-Rollover.png','Navigation Bar/Navigation Bar_r1_c2_s2.png','Navigation Bar/Navigation Bar_r1_c4_s2.png','Navigation Bar/Navigation Bar_r1_c6_s2.png','Navigation Bar/Navigation Bar_r1_c8_s2.png','Navigation Bar/Navigation Bar_r1_c10_s2.png','Navigation Bar/Navigation Bar_r1_c12_s2.png')">
    <div id="main_wrapper">
      <div id="headerbox"><img src="images/Jason-Charnley's-Power-House-Gym-Header.jpg" width="943" height="185"></div>
      <div id="logo"><img src="images/Logo.png" width="275" height="153" alt="Jason Charnley's Powrhouse Gym Chorley"></div>
      <div id="logo_title"><img src="images/Logo-Title.png" width="396" height="273" alt="Powerhouse Chorley"></div>
      <div id="train"><img src="images/Jason-Charnley-Brick-Wall.jpg" width="939" height="233" alt="Personal Training"></div>
      <div id="scratched_box"><img src="images/Metallic-Box-700-x-233-Scratched.jpg" width="700" height="234" alt="Welcome To Powerhouse Chorley"></div>
      <div id="small_box"><img src="images/Metallic-Box-219-x-233.jpg" width="219" height="233" alt="Join Us"></div>
      <div id="supplements"><img src="images/Footer.jpg" width="940" height="247" alt="Chorley Supplements"></div>
      <div id="facebook_logo"><a href="https://www.facebook.com/powerhousegym.chorley?fref=ts" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image8','','images/Facebook-Logo-rollover.png',1)"><img src="images/Facebook-Logo.png" alt="Powerhouse Gym Facebook" width="47" height="47" id="Image8"></a></div>
      <div id="youtube_logo"><a href="http://www.youtube.com" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image9','','images/Youtube-Logo-rollover.png',1)"><img src="images/Youtube-Logo.png" alt="Powerhouse Gym Youtube" width="48" height="48" id="Image9"></a></div>
      <div id="twitter_logo"><a href="https://twitter.com/MrStrongman" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image10','','images/Twitter-Logo-Rollover.png',1)"><img src="images/Twitter-Logo.png" alt="Jason Charnley Twitter" width="47" height="47" id="Image10"></a></div>
      <div id="h1">
        <header>
          <h1>WELCOME TO JASON CHARNLEY'S POWERHOUSE GYM CHORLEY</h1>
        </header>
      </div>
      <div id="nav_bar">
        <table style="display: inline-table;" border="0" cellpadding="0" cellspacing="0" width="591">
          <!-- fwtable fwsrc="Navigation Bar.fw.png" fwpage="Page 1" fwbase="Navigation Bar.png" fwstyle="Dreamweaver" fwdocid = "825787952" fwnested="0" -->
          <tr>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="11" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="70" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="2" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="94" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="2" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="82" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="1" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="77" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="2" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="119" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="2" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="118" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="11" height="1" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="1" height="1" /></td>
          </tr>
          <tr>
            <td><img name="NavigationBar_r1_c1" src="Navigation Bar/Navigation%20Bar_r1_c1.png" width="11" height="57" id="NavigationBar_r1_c1" alt="" /></td>
            <td><a href="javascript:;" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('NavigationBar_r1_c2','','Navigation Bar/Navigation Bar_r1_c2_s2.png',1)"><img name="NavigationBar_r1_c2" src="Navigation Bar/Navigation%20Bar_r1_c2.png" width="70" height="57" id="NavigationBar_r1_c2" alt="" /></a></td>
            <td><img name="NavigationBar_r1_c3" src="Navigation Bar/Navigation%20Bar_r1_c3.png" width="2" height="57" id="NavigationBar_r1_c3" alt="" /></td>
            <td><a href="javascript:;" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('NavigationBar_r1_c4','','Navigation Bar/Navigation Bar_r1_c4_s2.png',1)"><img name="NavigationBar_r1_c4" src="Navigation Bar/Navigation%20Bar_r1_c4.png" width="94" height="57" id="NavigationBar_r1_c4" alt="" /></a></td>
            <td><img name="NavigationBar_r1_c5" src="Navigation Bar/Navigation%20Bar_r1_c5.png" width="2" height="57" id="NavigationBar_r1_c5" alt="" /></td>
            <td><a href="javascript:;" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('NavigationBar_r1_c6','','Navigation Bar/Navigation Bar_r1_c6_s2.png',1)"><img name="NavigationBar_r1_c6" src="Navigation Bar/Navigation%20Bar_r1_c6.png" width="82" height="57" id="NavigationBar_r1_c6" alt="" /></a></td>
            <td><img name="NavigationBar_r1_c7" src="Navigation Bar/Navigation%20Bar_r1_c7.png" width="1" height="57" id="NavigationBar_r1_c7" alt="" /></td>
            <td><a href="javascript:;" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('NavigationBar_r1_c8','','Navigation Bar/Navigation Bar_r1_c8_s2.png',1)"><img name="NavigationBar_r1_c8" src="Navigation Bar/Navigation%20Bar_r1_c8.png" width="77" height="57" id="NavigationBar_r1_c8" alt="" /></a></td>
            <td><img name="NavigationBar_r1_c9" src="Navigation Bar/Navigation%20Bar_r1_c9.png" width="2" height="57" id="NavigationBar_r1_c9" alt="" /></td>
            <td><a href="javascript:;" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('NavigationBar_r1_c10','','Navigation Bar/Navigation Bar_r1_c10_s2.png',1)"><img name="NavigationBar_r1_c10" src="Navigation Bar/Navigation%20Bar_r1_c10.png" width="119" height="57" id="NavigationBar_r1_c10" alt="" /></a></td>
            <td><img name="NavigationBar_r1_c11" src="Navigation Bar/Navigation%20Bar_r1_c11.png" width="2" height="57" id="NavigationBar_r1_c11" alt="" /></td>
            <td><a href="javascript:;" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('NavigationBar_r1_c12','','Navigation Bar/Navigation Bar_r1_c12_s2.png',1)"><img name="NavigationBar_r1_c12" src="Navigation Bar/Navigation%20Bar_r1_c12.png" width="118" height="57" id="NavigationBar_r1_c12" alt="" /></a></td>
            <td><img name="NavigationBar_r1_c13" src="Navigation Bar/Navigation%20Bar_r1_c13.png" width="11" height="57" id="NavigationBar_r1_c13" alt="" /></td>
            <td><img src="Navigation Bar/spacer.gif" alt="" name="undefined_2" width="1" height="57" /></td>
          </tr>
        </table>
      </div>
    </div>
    <div id="description">
      <section>
        <p>We are a leading gym in the local area for people trying to improve their strength, <br>
          and overall physical condition. Whether you are a bodybuilder, powerlifter, athlete or<br>
          simply interested in health and fitness. We can accomodate a wide range of fitness <br>
          objectives at either end of the training spectrum, from beginner to advanced.</p>
        <p> </p>
        <p>POWERHOUSE GYM CHORLEY offers non – contractual memberships, <br>
          no ******** induction fees and pay per session training. We also take great pride in <br>
        offering a friendly, ego free and sociable atmosphere.</p>
      </section>
    </div>
    </body>
    </html>
    The CSS style sheet is -
    @charset "utf-8";
    #main_wrapper {
    position: absolute;
    top: 0;
    width: 1366px;
    height: 1000px;
    z-index: 1;
    margin-left: -683px;
    left: 50%;
    background-image: url(../images/BkgdRustedHomeBorder2.jpg);
    background-repeat: repeat-y;
    #headerbox {
    position: absolute;
    width: 940px;
    height: 185px;
    z-index: 1;
    left: 197px;
    top: 37px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    position: absolute;
        left: 50%;
        top: 0%;
        margin-left: -470px;
        margin-top:  20px;
    #logo {
    position: absolute;
    width: 319px;
    height: 281px;
    z-index: 2;
    left: 684px;
    top: 0px;
    margin-left: -450px;
    margin-top: 30px;
    #logo_title {
    position: absolute;
    width: 319px;
    height: 281px;
    z-index: 3;
        left: 50%;
    top: 0px;
    margin-left: -502px;
    margin-top: -15px;
    #train {
    position: absolute;
    width: 939px;
    height: 233px;
    z-index: 4;
    left: 50%;
    top: 0px;
    margin-left: -468px;
    margin-top: 225px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    #scratched_box {
    position: absolute;
    width: 701px;
    height: 235px;
    z-index: 5;
    left: 50%;
    top: 0px;
    margin-left: -470px;
    margin-top: 480px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    #small_box {
    position: absolute;
    width: 219px;
    height: 233px;
    z-index: 6;
    left: 50%;
    top: 50%;
    margin-left: 254px;
    margin-top: -19px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    #supplements {
    position: absolute;
    width: 940px;
    height: 247px;
    z-index: 7;
    left: 685px;
    top: 0%;
    margin-left: -470px;
    margin-top: 740px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    a img {
        border: 0;
    #facebook_logo {
    position: absolute;
    width: 47px;
    height: 46px;
    z-index: 8;
    left: 687px;
    top: 493px;
    margin-left: 340px;
    margin-top: 20px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    #youtube_logo {
    position: absolute;
    width: 48px;
    height: 48px;
    z-index: 9;
    left: 687px;
    top: 550px;
    margin-left: 340px;
    margin-top: 20px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    #twitter_logo {
    position: absolute;
    width: 48px;
    height: 48px;
    z-index: 10;
    left: 687px;
    top: 607px;
    margin-left: 340px;
    margin-top: 20px;
    box-shadow: 0px 5px 10px 0px rgba(0,0,0,8);
    #description {
    position: absolute;
    width: 525px;
    height: 213px;
    z-index: 2;
    left: 50%;
    top: 0%;
    margin-left: -365px;
    margin-top: 525px;
    font-size: 12px;
    body,td,th {
    font-family: Arial, Helvetica, sans-serif;
    font-size: 12px;
    color: rgba(255,255,255,1);
    font-weight: bold;
    #h1 {
    position: absolute;
    width: 595px;
    height: 50px;
    z-index: 11;
    font-family: "Arial Black", Gadget, sans-serif;
    font-size: 8px;
    left: 50%;
    top: 0%;
    margin-left: -402px;
    margin-top: 480px;
    font-weight: bold;
    font-variant: normal;
    text-shadow: 1px 2px 2px rgba(19,20,21,5);
    #nav_bar {
    position: absolute;
    width: 592px;
    height: 40;
    z-index: 12;
    left: 684px;
    top: 0px;
    margin-left: -125px;
    margin-top: 147px;
    }td img {display: block;}
    As you can see my knowledge of coding is abysmal, i'm definitely more of a designer than a developer. Can any one of you benevolent, intelligent and hopefully patient individuals please offer me some help and advice on how to progress, and also how to clean this cluster f*ck of a nightmare coding up. So that i can transform this into a decent desktop/mobile website. Do i have to create a whole new mobile website. and some how link to it? So that a device trying to view this on a smaller resolution automatically accesses the mobile version. How would i proceed with this?
    Thanks again for any help you can offer me, it's most appreciated

    Hi & welcome to the Dreamweaver Forums!
    Illustrator or Photoshop are OK for making images and design comps.  But don't use them to generate code.  The code is hopelessly rigid and unstable; not suitable for use on real web sites.
    You'll be doing yourself a huge favor if you close DW for about a week and learn everything you can about HTML, CSS and web design theory.  Without a working knowledge of fundamentals, DW is going to be a frustratingly steep learning curve.   If you come to grips with code first, DW is fairly easy to learn.
    Tutorials sites:
    http://www.html.net/
    http://w3schools.com/
    http://www.csstutorial.net/
    http://phrogz.net/css/HowToDevelopWithCSS.html
    http://webdesign.tutsplus.com/sessions/web-design-theory/
    #1 Don't paint yourself into a box.  Web pages need to be flexible to work in different displays and devices. 
    #2 Page height is determined by content; not explicit values.  Your CSS layout needs to be built in such a way as to accommodate both long and short pages.  Otherwise it will fall apart when visitors change their browser settings. 
    #3 Positioning (APDivs or Layers) are pure poison in primary layouts.  98% of what you do requires no positioning whatsoever.  Learn to use CSS floats and margins to align elements.
    #4 Start with one of the pre-built CSS Layouts in DW.  Go to File > New > Blank page > HTML.  Choose a layout from the 3rd panel and hit the Create Button.  SaveAs index.html.  Add your own images, text and CSS backgrounds.  Examine the HTML & CSS code in Split View to learn how the page is structured.
    Feel free to post back if your run into any problems.
    Good luck!
    Nancy O.

  • Printing error on Laserjet 4200 PCLXL with Adobe Reader 8.1.2

    While printing on our HP LaserJet 4200 with Adobe Reader 8.1.2, here is the error printed by my printer:
    PCL XL error
    Subsystem: KERNEL
    Error: IllegalOperatorSequence
    Operator: SetPageScale
    Position: 3
    I use PCL6 driver and if I use the PCL5 one, I only get a portion of my 11/17 pdf. The PS driver seams to be OK. I didn't have this problem in Adobe Reeader 7.0.8. And I don't have this problem on older LaserJet printers (4000 or 4100) or newer's (4250).
    With PCL 5 or Post Script, it kinda print, but Adobe Reader is not able to get the write size of paper. If I have a 8½/14 or 11/17 document, It can only print in 8½/11 correctly unless I go in printer properties and select manually the size of paper that I want to print on (or the size of the document). I can't keep that resolution because it's to difficult for most users and that they'll keep asking why their document doesn't print in the format it was built in.
    Also, with PCL6, when I choose the write size of paper in the printer's properties, it prints correctly.
    I tried to update the driver on our server, but the paper type of all our 4200 switched to "Etiquette" and we didn't want to pass on all our computers to reconfigure it back to "Normal paper". I also tried to update the firmware on another of our 4200s, but the problem persisted.
    Can you help me to find out what's going on in Adobe Reader 8.1.2 and how I can solve that problem??

    Hi,
    We are also struggling with the same problem after upgrading the portal to NW04s SPS15.  It is consuming 2 to 3 min for opening the PDF form in ESS under Travel & Expenses.
    We are also with same version of Adobe i.e.8.1.2
    Still waiting for the solution, 
    Regards,
    Venu

  • Fed up with Adobe's customer service

    I have to say that Adobe takes the cake as the most inept company in the US, along with AT&T. I filed my application for the free upgrade from CS5.5 in early May, right away they asked me for the invoice, even though I had sent them PDFs of the order confirmation, and shipping confirmation which had all the information they needed, but OK, I went to my account on B&H and downloaded the invoice on PDF and sent that to Adobe. Several weeks went by and no news. In late May I sent them an inquiry through the open case they had opened for me, and they replied that they were working on it. Several days later I called, but their phone menu system is obviously designed to wear people out and get nowhere, so I started a chat online with one of their "agents". This was two Saturdays ago.
    As usual I was greeted with a lot of fake politeness that those poor Indian guys are forced to shower the customer with to the point of making you sick, and the guy, after requesting my information told me that my upgrade had been approved and I was going to have it ready within 24 hours. 72 hours later and still no email or any news, so I started another chat, and this guy told me that he approved my order and that it was going to be ready again in 24 hours. Two days later, still no order link, and they close the case saying that the order had been closed and that "The order is currently processing and the download will be available in your Adobe account in 24-48 hours."
    Well, two days later still no order, so again another frustrating chat session with another very polite Indian guy (I don't mean that in a demeaning way, since I like Indian people very much), who again told me that my order was going to be ready in 24 hours.
    Yesterday after work, still no order, so another pointless chat session with lots of apologizing and condescending and the assurance that he was going to "escalate" this to a superior.
    Absolutely fed up I called their number to see if I could -very naively of me, I admit- reach someone at their headquarters that could actually give me my serial number and download link.
    After talking and being placed on hold by another guy in India, and adding another 20 minutes of wasted time to the already over two hours I wasted on chat sessions, the guy came back to tell me that he was going to investigate further and call me back, which he never did.
    Today, well over a month after I submitted all the requested paperwork, and weeks after most people are happily using Adobe CS6, I'm still waiting for the upgrade I was promised.
    The only other time I had to deal with such an extreme level of ineptitude was a year ago with AT&T. Different products, but same terrible customer service, and the obvious realization that these are really chaotic companies where the different departments don't communicate at all with each other, or do so very poorly. I don't blame those poor Indian guys that are probably overworked and underpaid, I blame the American executives that outsource their support to other countries, force them to be unbearably polite to where they actually waste a lot of your time saying "thank you", "I apologize" and repeating what you tell them a million times, and basically read from a script.
    In other words, I'm really fed up with Adobe. I understand the fact that they have a lot of these upgrades to process and that takes time. But I'm fed up with their reps telling me that my upgrade is going to be ready in 24 hrs and ten days later it's not, and they keep telling me that over and over. That's just plain bad customer service.

    I don't know why the Adobe forums suddenly asked me to sign up for the forum again, even though my registered address with them remain the same, but I mention it so you know I'm the OP.
    Just a day after I posted this I had a great customer service experience from a Tier 3 manager, so I want to mention it as well. On Wednesday on my way home from work I called the Adobe headquarters in California (you can google the number easily) and I explained my problem to the woman that answered the phone, so she transferred me to a guy that she said was overseas but was a manager that would help me. I thought to myself, here we go again. After explaining my case to this manager, a very nice guy called Gautam Garg, he asked me to give him 24 hours so he could check on my case, and that he was going to call me back at the same time the next day. I told him that he was telling me the same thing all these other reps had told me before, to give them 24 hours and one of them even told me he was going to call me back and never did. Gautam told me that this was different, that he was going to send me an email right away to prove it and work on my case. I thought to myself, yeah right, like this guy is going to call me back.
    Less than an hour later, he calls me back at my home number and tells me that the problem seemed to be that my address was in Kenya. The street address, state and zip code were the real ones, but the country showed as Kenya instead of the USA. I told him it was obviously a glitch in their system. So he told me that instead of the download, he was going to send me the boxed product. I still had my doubts it was going to happen, but I told him I would much rather have the boxed product than the download, so I thanked him for it.
    Having seen the previous bureaucracy at Adobe I figured it would take me a couple of weeks to get that box, but still I was happy I was getting the box instead of the download, so I decided to wait. But not even a day after I talked to Gautam, I got an email from Adobe saying that my CS6 had shipped already, using Fedex overnight and gave me a tracking number.
    On Friday I came home from work and my CS6 box was already here. I sent an email to Gautam to thank him and I told him that he should get a big raise along with a promotion, because I talked to all those other people using open cases, chat and one phone call before him, and none of those ten people or so did enough to solve my problem, while he went into the system and checked what was wrong with my order and solved me problem in less than an hour. I don't know if the other people that worked on my case were incredibly negligent, but maybe they're not, maybe the support methodology Adobe has for their customer service centers is what's really negligent. Perhaps what Gautam was able to do in less than an hour, all the other people didn't have access to. I don't have a way to know that, but it can't be possible that I have to waste so much time to get the free upgrade I had requested over a month earlier. Still, I'm happy that out of this I got the box instead of the download, so at the end I'm happy with their customer service, but they have to go a long way to make it better so people don't have to go through lots of chats and phone calls to get what they need.
    Sebastian

  • Change Page size with a Script

    I have made artwork in Illustrator that is set up as two page spreads on 1 artboard.
    I need to convert this to single page spreads.
    I.e. So for half the documents, I need to set the anchor point of the document to top left and half the width of the artboard.
    For the other half of the documents, I need to set anchor point to to right and half the width.
    Is this possible with scripting?
    I have look around online to find ways of accessing the document size and anchor point via scripting, but cannot seem to find any resources.
    Thanks for any help that can be offered.
    Edit: Also is it possible to create a new artboard with a script and assign it a name?

    here you go, this script splits the artboard in two
    // carlos canto
    // http://forums.adobe.com/message/5380624#5380624
    var idoc = app.activeDocument;
    var ab = idoc.artboards[0];
    var abBounds = ab.artboardRect;// left, top, right, bottom
    var ableft = abBounds[0]; // 0
    var abtop = abBounds[1]; // 612
    var abright = abBounds[2];
    var abbottom = abBounds[3];
    var abwidth = abright - ableft; // 792 // width
    var abheight = abtop- abbottom; // 0 // height
    var half = ableft + abwidth/2;
    var abright2 = half;
    ab.artboardRect = [ableft, abtop, abright2, abbottom];
    var ableft2 = half;
    var newAB = idoc.artboards.add([ableft2, abtop, abright, abbottom]);

  • Webcam not working with adobe air

    hey frnds,
    i'm trying to capture webcam snaps and storing it on local desktop.
    Below code of capuring snap is working with flex but same code not working in adobe air.
    I'm using Adobe Flash builder beta 2
    is any setting is required to use webcam with adobe air?
    i'm using following code
    <?xml version="1.0" encoding="utf-8"?>
    <s:WindowedApplication xmlns:fx="http://ns.adobe.com/mxml/2009"
                           xmlns:s="library://ns.adobe.com/flex/spark"
                           xmlns:mx="library://ns.adobe.com/flex/halo" creationComplete="init();">
        <fx:Declarations>
            <!-- Place non-visual elements (e.g., services, value objects) here -->
        </fx:Declarations>
        <fx:Script>
            <![CDATA[
                import mx.controls.Alert;
                import mx.core.UIComponent;
                import flash.media.Camera;
                import flash.media.Video;
                private function videoDisplay_creationComplete() : void
                    var camera:Camera = Camera.getCamera();
                    if (camera)
                        videoDisplay.attachCamera(camera);                   
                    else
                        Alert.show("Oops, we can't find your camera.");
                private function capture_click() : void
                    var snap:BitmapData = new BitmapData(320, 240, true);
                    var snapBmp:Bitmap = new Bitmap(snap);
                    snapBmp.width = 320;
                    snapBmp.height = 240;
                    if(snapshotHolder.numChildren > 0)
                        snapshotHolder.removeChildAt(0);
                    snapshotHolder.addChild(snapBmp);               
                    snap.draw(videoDisplay);               
        ]]>
        </fx:Script>
        <mx:HBox>
            <s:Panel title="Video">
                <mx:VideoDisplay id="videoDisplay" creationComplete="videoDisplay_creationComplete();" width="320" height="240" />       
            </s:Panel>
            <s:Panel title="Snapshot">
                <mx:UIComponent id="snapshotHolder" width="320" height="240" />
            </s:Panel>       
        </mx:HBox>
        <mx:HBox>
            <mx:Button label="reload camera" click="videoDisplay_creationComplete();"/>
            <mx:Button label="capture" click="capture_click();"/>  
        </mx:HBox>
    </s:WindowedApplication>
    Camera is connected but cannot see anything inair,
    plz guide me in this.
    thx in advanced,

    I seem to have the same problem. When creating an web application it works fine, but when creating a desktop application it doesn't. I can't figure out what the problem is.
    Does anyone know?

  • Problem with adobe auto-updater

         Hi, I have 120 pc Win XP SP3, with Adobe Acrobat reader 9. And about 20 with Adobe Acrobat Pro 9.
    Since 2 week, I receive alert from my internet provider. My internet bandwith is overcharg and the head is Adobe updater.
    I have to disable all automatic update search for all Adobe Acrobat Reader user.
    How can I do this ?
    It is a registry key, GPO in active directory ... ?
    thanks for your help ...
    Steve

    Hi Steve,
    I assume you mean that you are using Adobe Acrobat 9.2.0 / Adobe Reader 9.2.0 or onwards.
    You can disable the automatic update feature for Adobe Reader and Acrobat by setting the following registry key:
    1. Go to HKEY_LOCAL_MACHINE\SOFTWARE\Adobe\Adobe ARM\1.0\ARM.
    2. Set the value of iCheck as 0(Corresponds to Manual. Do not download or install updates automatically.)
    (Further information about the other modes can be gathered from: http://kb2.adobe.com/cps/837/cpsid_83709/attachments/Acrobat_Reader_Updater.pdf)
    Maybe you can write a small startup script for the setting the registry and push it across your network of client systems. Or you can even use Adobe Customization Wizard to create a transform for the same, and deploy it across your network and achieve the desired result.
    Hope this helps.

  • Performance Problem with Adobe Print Forms (Non-Interactive)

    Hi Team,
    I have a <b>Web Dynpro ABAP</b> application with a print button which actually launces an Adibe print form (NOT Interactive) for the WDA data context. The scenario is for a Purchase Order in the ERP system. The problem is regarding performance when the line items are more then 150. The Adobe form is very simple WITH NO scripting and a plain tabular display of the line items. It takes around 4 minutes to load the form which has only 5 pages and is causing the WDA application to time out. Following are the configuration/Design details:
    ADS Version: 705.20060620101936.310918
    Adobe Reader 7.0, Version 7.0.9
    Adobe Live Cycle Designer 7.1, Version 7.1.3284.1.338866
    <b>FORM Element in WDA</b>:
    displayType = activeX (Should this be native for performance improvements?)
    "enabled" is not checked
    readOnly = 'X'
    <b>SFP Settings for the template Form</b>
    Layout Type in Properties = Standard Layout (Should this be xACF or ZCI for performance improvements?
    Interface type for the Form Interface = XML Schema-Based Interface
    <b>We are on 2004s release SP10</b>
    <b>Specific Questions:</b>
    1) Any recommendations for the above settings to improve performance?
    2) The form design is very simple with no complexity. The Table element is very basic and as per the blogs given in SDN. NO Scripting is performed.
    Any help, recommendations would be greatly appreciated.
    Regards

    Hi Sanjay,
    i would suggest you to have ZCI layout (native).
    Set the form properties to be cached on server (refer performance improvements in the Adobe LC Designer help).
    The performance will also depend on the ADS and also the network, including the R/3, as all these components come into picture.
    Hope these points, if you have not checked already, will help you.
    - anto.

  • Issue with Adobe Reader XI Freezing when Printing/Opening Documents

    I've been having problems with Adobe Reader XI freezing when I attempt to print documents. I've uninstalled and reinstalled it several times. I've gone back to previous versions. I've disabled protected mode. I've run Adobe reader without background programs running. I've done a disk clean-up, and deleted temporary files. All to no avail. Is there anyone who can help me solve this problem.

    There's no built-in function in Reader that does that, but it can be done using a script.

Maybe you are looking for

  • Mac can no longer see network

    Up until a month ago, I was able to see the two PC's (running XP) on out home network from my Mac Pro, and vice versa. I am no longer able to see or be seen by the two PC's, yet I can successfully ping from the Mac to the PC's, and the PC's to the Ma

  • Is my ibook dead?

    recently i started to get the message appear that says my start up disk was full. i purchased a external hard drive so i could remove files from my ibook but when i finally got round to it something bad happened. my ibook stalled and wouldn't respone

  • Metric Halo Users (2882)..please help

    Hey guys, I use the Mobile I/O 2882..... In MIO console, I have my Digital IO routed to DAW 17/18 (the default) within MIO console..... THe Problem: In Logic the SPDIF does not return....weird 'cause all 8 analogs AND all 8 ADAT come in to Logic Just

  • Clock time right but save times wrong?

    The clock in the top right hand corner is correct, however when I save something, it will get the minutes but it will always say I saved it at 19:(mins). I also have a similar issue when using ical and also when the screen saver has the clock it alwa

  • IB doesn't sync with Xcode on a new project (related to project path)

    Hey everybody! I've got very strange behavior of the Interface Builder. I've got ~/Documents/Projects folder. I start Xcode and choose to create a new iPhone project. I don't change anything, just open the main controller's XIB file with IB and I can