Examples wanted

can any one send some real time report step by step to my mail id.
similarly agreegates and infosets?
thanks in advance
sekhar

Hi Sekhar,
i will explain you one of the simple scenario where reporting will be done.
u might be knowing there is actual data as well as planned data stored in data targets.
suppose you were asked to generate a report that actually compares the real data with actual data.that includes the deviation of actual values from the planned values.and u were also asked to have the infomation of  % deviation in each of the values.furthur u have the chance to distiguish the analysis on the basis of % of deviation by means of rising exceptions.
if the % deviation is  say is less than 20% then it is gud.and if it is greater than 50 % then it is bad.in between it is average.
hope this helps!
cheeers
Ravi

Similar Messages

  • LR & SlideShowPro Examples Wanted

    I was looking at the SlideShowPro plugin for LR Web photo Galleries.  The site doesn't offer aceeptable examples of galleries made through LR.  Does anyone have a gallery built with this software, which I could look at?  Thanks - Steven
    BTW;  I like the Airtight viewers, but I may want something with more pizzazz.  I'm open to suggestions for other LR plugins as well.

    I really like the SSP plug-in and have used it a lot in recent weeks:
    http://www.stephenetnier.com/gallery.html
    (embedded in an HTML page: full use of fullscreen mode and popup images)
    http://www.thesameband.com/gallery.html
    (audio playback controlled in the slideshow)
    http://www.chronicjazz.com/photos.html
    (audio embedded in the html file after the fact)
    http://www.pilatesportland.com/
    (embedded in an HTML page: a simple slideshow with no controller or thumbnails, a bit down the page)

  • Simple MVC desktop example wanted

    Hi,
    I've been looking and can't find a good example of MVC in a desktop application. I don't mean MVC as it is used in component development (I've seen some examples relating to Swing and Buttonmodels, for instance), but more business-object level. I'm not a Java or Swing expert, but I have been programming for a while and and am pretty comfortable writing non-UI Java classes and simple Swing apps. But I want to know how to do this right.
    Here's the simplest example I can think of to explain my confusion:
    Suppose I have a class called Customer with fields FirstName and LastName. Suppose further I want to create a desktop GUI that allows the customer to edit that model in two separate windows in such a way that changes in one edit window are immediately reflected in the other, and I want clean separation of presentation and logic.
    The example doesn't have to be in Swing, but it shouldn't require a server.
    Thanks for any help you can give on this - and, if this isn't the right place to post this query, I'd appreciate a pointer to a more appropriate forum.

    There are many ways but here is a simple example of how I do it.
    ******************************* CustomerModel.java
    import java.beans.PropertyChangeSupport;
    import java.beans.PropertyChangeListener;
    public class CustomerModel
        /** Change Support Object */
        private PropertyChangeSupport propertyChangeSupport = new PropertyChangeSupport(this);
        /** bound property names */
        public static final String FIRST_NAME_CHANGED = "firstname";
        public static final String LAST_NAME_CHANGED = "lastname";
        /** First Name Element */
        private String firstName;
        /** Last Name Element */
        private String lastName;
        /** Blank Constructor */
        public CustomerModel()
            super();
         * Sets the first name element.  If value changed a notification is
         * sent to all listeners of this property
         * @param newFirstName String
        public void setFirstName(String newFirstName)
            String oldFirstName = this.firstName;
            this.firstName = newFirstName;
            propertyChangeSupport.firePropertyChange(FIRST_NAME_CHANGED, oldFirstName, newFirstName);
         * @return String
        public String getFristName()
            return firstName;
         * Sets the last name element.  If value changed a notification is
         * sent to all listeners of this property
         * @param newFirstName String
        public void setLastName(String newLastName)
            String oldLastName = this.lastName;
            this.lastName = newLastName;
            propertyChangeSupport.firePropertyChange(LAST_NAME_CHANGED, oldLastName, newLastName);
         * @return String
        public String getLastName()
            return lastName;
        /** Passthrough method for property change listener */
        public void addPropertyChangeListener(String str, PropertyChangeListener pcl)
            propertyChangeSupport.addPropertyChangeListener(str, pcl);       
        /** Passthrough method for property change listener */
        public void removePropertyChangeListener(String str, PropertyChangeListener pcl)
            propertyChangeSupport.removePropertyChangeListener(str, pcl);
    }******************************* CustomerFrame.java
    import javax.swing.*;
    import java.awt.event.*;
    import java.awt.GridLayout;
    import java.beans.PropertyChangeListener;
    import java.beans.PropertyChangeEvent;
    public class CustomerFrame extends JFrame implements ActionListener, PropertyChangeListener
        /** Customer to view/control */
        private CustomerModel customer;
        private JLabel firstNameLabel = new JLabel("First Name: ");
        private JTextField firstNameEdit = new JTextField();
        private JLabel lastNameLabel = new JLabel("Last Name: ");
        private JTextField lastNameEdit = new JTextField();
        private JButton updateButton = new JButton("Update");
         * Constructor that takes a model
         * @param customer CustomerModel
        public CustomerFrame(CustomerModel customer)
           // setup this frame
           this.setName("Customer Editor");
           this.setTitle("Customer Editor");
           this.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
           this.getContentPane().setLayout(new GridLayout(3, 2));
           this.getContentPane().add(firstNameLabel);
           this.getContentPane().add(firstNameEdit);
           this.getContentPane().add(lastNameLabel);
           this.getContentPane().add(lastNameEdit);
           this.getContentPane().add(updateButton);
           // reference the customer locally
           this.customer = customer;
           // register change listeners
           this.customer.addPropertyChangeListener(CustomerModel.FIRST_NAME_CHANGED, this);
           this.customer.addPropertyChangeListener(CustomerModel.LAST_NAME_CHANGED, this);
           // setup the initial value with values from the model
           firstNameEdit.setText(customer.getFristName());
           lastNameEdit.setText(customer.getLastName());
           // cause the update button to do something
           updateButton.addActionListener(this);
           // now display everything
           this.pack();
           this.setVisible(true);
         * Update the model when update button is clicked
         * @param e ActionEvent
        public void actionPerformed(ActionEvent e)
            customer.setFirstName(firstNameEdit.getText());
            customer.setLastName(lastNameEdit.getText());
            System.out.println("Update Clicked " + e);
         * Update the view when the model has changed
         * @param evt PropertyChangeEvent
        public void propertyChange(PropertyChangeEvent evt)
            if (evt.getPropertyName().equals(CustomerModel.FIRST_NAME_CHANGED))
                firstNameEdit.setText((String)evt.getNewValue());
            else if (evt.getPropertyName().equals(CustomerModel.LAST_NAME_CHANGED))
                lastNameEdit.setText((String)evt.getNewValue());
    }******************************* MainFrame.java
    import javax.swing.JFrame;
    import java.awt.event.ActionListener;
    import java.awt.event.ActionEvent;
    import javax.swing.JButton;
    public class MainFrame extends JFrame implements ActionListener
        /** Single customer model to send to all spawned frames */
        private CustomerModel model = new CustomerModel();
        /** Button to click to spawn new frames */
        private JButton newEditorButton = new JButton("New Editor");
        /** Blank Constructor */
        public MainFrame() {
            super();
        /** Create and display the GUI */
        public void createAndDisplayGUI()
            this.setName("MVC Spawner");
            this.setTitle("MVC Spawner");
            this.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            this.newEditorButton.addActionListener(this);
            this.getContentPane().add(newEditorButton);
            this.pack();
            this.setVisible(true);
        /** Do something when the button is clicked */
        public void actionPerformed(ActionEvent e)
            new CustomerFrame(model);
         * Creates the main frame to spawn customer edit frames from.
         * @param args String[] ignored
        public static void main(String[] args) {
            MainFrame mainframe = new MainFrame();
            mainframe.createAndDisplayGUI();
    }

  • Web database application design examples wanted

    Hi! I�ve written a couple of smaller web database applications in Java but I�m not completely satisfied with my design, especially where and how to put the database code. Now I�m looking for small open source examples of good design of web database applications in Java. I would appreciate if you could direct me to a good example application, preferably easy to understand. Also feel free to mention any other resource that you think I should look at. At the moment I don�t have the time to read a complete book but I plan to do this later � so book recommendations for professional Java developer are also very welcome.
    Summary of recommendations I would like to get:
    1) Java web database application with good design
    2) Design book for professional Java developers
    3) Any other design related resource
    Thanks!

    http://www.springframework.org/docs/MVC-step-by-step/Spring-MVC-step-by-step.html

  • JCA CCI examples wanted!

    Hi. I need to execute a local file-system binary from my JSP code. As J2EE specification does not allow to do this, I need to create an adapter for it, using JCA. As I figured out, a need a JCA with Common Client Interface (CCI). Does anyone have any examples or samples of such a JCA CCI adapter, which an be used for my task? Thank you.

              Ni pelota, Hansito!!!
              "Hans Nemarich" <[email protected]> wrote:
              >
              >Hello,
              >
              >I`m currently reading Bea documentation for WLS 7.0. I`ve noticed Weblogic
              >Tuxedo
              >Connector doesn´t support Common Client Interface. It`s seems not be
              >complaint
              >with JCA 1.0 spec.
              >
              >Will Bea provide a JCA/CCI compliant connector for Tuxedo in the next
              >release
              >?
              

  • Example Wanted:  JSP UIX data binding

    Hullo! I'm trying to display an active tree using 9.0.3 JSP UIX. I was successful in straight UIX (thanks to the examples), but can't figure out how do get the databinding correct in JSP/UIX. Does anyone have an example using <uix:tree>, or failing that how about anything substantial in JSP/UIX?
    The uiXML/UIX download examples are great, and the online documentation is extensive though I find it hard to follow... but for the JSP side there just aren't any working examples!
    Thanks so much.
    Heather

    Thank you very much for the response.
    It got me looking in the right direction, and now I have something working!
    Sincerely,
    Heather
    btw In case anyone else is ever in a similar position, here is an implementation of the above example, with some really silly data plugged in.
    jsp" contentType="text/html;charset=windows-1252"%>
    <%@ taglib uri="http://xmlns.oracle.com/uix/ui" prefix="uix" %>
    <%@ taglib uri="/webapp/DataTags.tld" prefix="jbo" %>
    <%@ page import = "oracle.cabo.ui.data.tree.*" %>
    <%@ page import = "oracle.cabo.ui.data.*" %>
    <%@ page import = "oracle.cabo.ui.*" %>
    <%@ page import = "oracle.cabo.ui.data.*" %>
    <%-- user interface begins here --%>
    <HTML>
    <HEAD>
    <TITLE>Browse Page</TITLE>
    <uix:styleSheet/>
    </HEAD>
    <BODY>
    <uix:pageLayout>
    <%-- Main page contents go here --%>
    <uix:contents>
    <uix:header text="Tree Demo"/>
    <uix:spacer height="15" />
    <%
    SimpleTreeData shop = new SimpleTreeData();
    shop.setText("Shop");
    shop.setDescription("Spend some money!");
    shop.setDestination( "http://bali.us.oracle.com");
    shop.setDestinationText( "More Information");
    shop.setExpandable(UIConstants.EXPANDABLE_EXPANDED);
    SimpleTreeData books = new SimpleTreeData();
    books.setText("Books");
    books.setDescription("books have pages!");
    books.setDestination( "http://bali.us.oracle.com");
    books.setDestinationText( "More Information");
    books.setExpandable(UIConstants.EXPANDABLE_EXPANDED);
    SimpleTreeData art = new SimpleTreeData();
    art.setText("Art");
    art.setDescription("picasso et al!");
    art.setDestination( "http://bali.us.oracle.com");
    art.setDestinationText( "More Information");
    SimpleTreeData[] bookCategories = { art, art };
    books.addChildren( bookCategories );
    SimpleTreeData[] categories = { books, books };
    shop.addChildren(categories);
    ListDataObjectList treeData = new ListDataObjectList();
    treeData.addItem(shop);
    request.setAttribute("treeData", treeData);
    ClientStateTreeDataProxy proxy =
    new ClientStateTreeDataProxy("",
    request.getParameter(UIConstants.STATE_PARAM),
    request.getParameter(UIConstants.NODE_PARAM),
    request.getParameter(UIConstants.SELECTION_PARAM));
    request.setAttribute("treeProxy", proxy);
    %>
    <uix:tree id="myId" nodesBinding="treeData@servletRequest"
    proxyBinding="treeProxy@servletRequest">
    <uix:nodeStamp>
    <uix:flowLayout>
    <uix:contents>
    <uix:link destinationBinding="destination" textBinding="text" />
    </uix:contents>
    </uix:flowLayout>
    </uix:nodeStamp>
    </uix:tree>
    </uix:contents>
    </uix:pageLayout>
    </BODY>
    </HTML>
    <jbo:ReleasePageResources />

  • HGrid tutorial or example wanted

    Hi gurus,
    I am developing a custom page with a HGrid. I am trying to folllow the OAF Developer Guide. Section on VO and View Links are OK, but I am getting stuck when trying to define the UI nodes.
    Are there any good tutorials or examples out there?
    Regards,
    Søren Moss

    Hi - let me be more specific.
    I'd like an example that explains and illustrates the following section in the OAF developers guide under chapter 4 -> HGrid -> Defining a HGrid -> Step 4:
    **** Quote start ****
    Set the Ancestor Node property on this item to indicate the region where you are looping back. The
    Ancestor Node property can be set to another tree region, to the same tree region (for a recursive
    relationship), or to no tree region (null, indicating that the node is a leaf level in the hierarchy tree).
    The ancestor node should be set as a fully-qualified path name such as
    /oracle/apps/<applshortname>/<module>/<pagename>.<childNode ID > where the ancestor
    childNode ID is whatever childNode (node) you are looping back to.
    Attention: For a recursive relationship, as indicated above, you set the ancestor node to the same
    tree region. However, the "same tree region" refers to the parent of the base recursing node and
    not the recursing node itself.
    **** Quote end ****
    Regards Søren

  • @MappedSuperclass example wanted

    I am attempting to use a JPA MappedSuperclass where I can define the basic data fields and relationships for an entity, then have subclasses override it with explicit table and column names.
    To this point, I have had no success. I can get it to compile and deploy, but any data objects I get back seem to be uninitialized (all fields are null).
    Does anyone have a working example of using a MappedSuperclass in OAS 10.1.3.1.0?

    I am currently using TopLink Essential build 17. I was able to take my standard Employee demo model and refactor a BaseEntity class out of the Employee class.
    BaseEntity
    @MappedSuperclass
    @TableGenerator(name = "emp-seq-table", table = "SEQUENCE",
                    pkColumnName = "SEQ_NAME", valueColumnName = "SEQ_COUNT",
                    pkColumnValue = "EMP_SEQ", allocationSize=50)
    public abstract class BaseEntity {
        @Id
        @GeneratedValue(strategy = GenerationType.TABLE, generator = "emp-seq-table")
        private int id;
        @Version
        private long version;
        public BaseEntity() {
        public void setId(int id) {
            this.id = id;
        public int getId() {
            return id;
        public void setVersion(long version) {
            this.version = version;
        public long getVersion() {
            return version;
    }The Employee class now looks basically like:
    @Entity
    @AttributeOverride(name="id", column=@Column(name="EMP_ID"))
    public class Employee extends BaseEntity implements Serializable {Doug

  • What I want to do is to get the co-ordinates of the elements of the third array which shows differences between 2 other arrays

    Hello,
    Ive have got a vi that compares two arrays by element and gives back the location of the elements that are not equal in a third array. What I want to do is to get the co-ordinates of the elements of the third array from the either the first or second array.
    Many Thanks
    (Labview 7.1)
    Please find the vi attached below
    Attachments:
    ArrayDiff701.vi ‏25 KB

    jihn wrote:
    What I want to do is to get the co-ordinates of the elements of the third array from the either the first or second array.
    Sorry, I don't understand what you mean. What are coordinates in this context?
    If you for example want to get an array of all elements from the first array corresponding to the list of indices in the "locations" array, just add another FOR loop as shown.
    Your VI has a major flaw! You need to reverse the order of "Add array elements" and "to I32". The "to I32" needs to come first! (see image). If you "add" first, you'll run into problems if you have more that 32k different elements because of overflow in the I16 integer.
    Message Edited by altenbach on 02-21-2008 05:22 PM
    LabVIEW Champion . Do more with less code and in less time .
    Attachments:
    Different.png ‏9 KB

  • Two characteristics for date but only same date wanted?

    Hello experts,
    we have 2 date characteristics,
    Calendar day
    Due day
    For one calendar day we could have several due dates. But in Reporting we just want to have always for the calendar day the same due day. We know how to resolv it in the data model but we prefer a reporting solution.
    example:
    Calendar day -  01/01/2009              | 01/02/2009
    Due date - 01/01/2009 - 01/03/2009 | 01/02/2009 - 01/03/2009
    Key figure - 100 - 1500 |  120 - 150
    We just want to see the due date 01/01/2009. Both characteristics are drilled down.
    Result example wanted:
    Calendar day - 01/01/2009 | 01/03/2009
    Due Date - 01/01/2009 | 01/03/2009
    Key figure - 100 | 200
    Thank you for help!
    regards,
    Peter

    Hi,
    You can do this by using replacement path variables and defining a formula which compares these two variables. Output of the formula will be 1 or 0 based on the comparision (Calday == due date).
    After this you can define a condition using the formula you have created to compare those dates.
    but i think all this can be achieved only if you have the due date in the drill down. however you can hide the due date by keeping it in rows, i think this will not have an effect in the result of the query.
    let us know if this helps,
    Regards,
    Rk.

  • How can I open all attachments in mail at once?

    I use Mail to collect messages from the IMAP server rather than logging in through my university's webmail interface.  I often get mail messages with many attachments that all need to be opened at once (example: an admissions application that has 7 or 8 components for me to review).  Clicking on each of them separately is a pain, particularly since I have repetitive strain issues, and the various applications needed to open the attachments (Word and Adobe Reader for example) want to grab focus after every click, forcing me to keep switching programs.
    Is there any way I can tell Mail to just open all attachments to a message at once?

    Try:
    Select the attachments you want to open. (Use click, shift click, command click, as usual.)  Control-click on (one of) the selected attachments. Then select "Open Selected Attachments".
    charlie

  • Javascript embedded in button pl/sql event handler not being executed

    Javascript calls not working from pl/sql button event handler. What am I missing? Are specific settings needed to execute javascript from pl/sql proceedures?
    Example: Want to toggle target='_blank' off and on in a button pl/sql event handler to open url call in new window & then reset when processing submit is done & the app returns to the form.
    portal form button's pl/sql submit handler:
    begin
    htp.p('<script language=JavaScript>') ;
    htp.p('this.form.target="_blank"') ;
    htp.p('</script>') ;
    PORTAL.wwa_app_module.set_target('http://www.oracle.com') ;
    htp.p('<script language=JavaScript>') ;
    htp.p('this.form.target="_blank"') ;
    htp.p('</script>') ;
    end ;
    Putting the following in the button's javascript on_click event handler works great:
    this.form.target='_blank'
    to force opening new window with a call in the button's submit pl/sql code via:
    PORTAL.wwa_app_module.set_target('http://www.oracle.com') ;
    but then the target='_blank' is left on when the submit is done & we return to the form.
    putting the above javascript as a function (called fcn_newpage) elsewhere (e.g., after form opens) & calling in the submit pl/sql with
    htp.p('fcn_newpage') ;
    also doesn't work.
    Metalink thought this was an application issue instead of a bug, so thought I'd see if anyone knows what's going wrong here. (Portal 9.0.4.1)

    thanks for your discussion of my post.
    Please clarify:
    "htp.p('fcn_newwindow') sends a string":
    What would you suggest the proper syntax for a function fcn_newwindow() call from a pl/sql javascript block that differs from
    htp.p('<script language="Javascript">') ;
    htp.p('fcn_newwindow');
    htp.p('</script>');
    or more simply
    htp.p('fcn_newwindow') ;
    More generally, what I'm trying to figure out is under what conditions javascript is executed, if ever, in the pl/sql of a button (either the submit or custom event handler, depending on the button).
    I've seen lots of posts asking how to do a simple htp.p('alert("THIS IS TROUBLE")') ; in a pl/sql event handler for a button on a form, but no description of how this can be done successfully.
    In addition to alerts, in my case, I'd like to call a javascript fcn from a pl/sql event handle that would pass a URL (e.g., http://www.oracle.com) where the javascript fcn executed
    window.open(URL). The API call to set_target(URL) in pl/sql has no ability to open in a new window, so calling that is inadequate to my needs and I must resort to javascript.
    Its clear in the PL/SQL of a button, you can effect form components since p_session..set_target & p_session.get_target set or get the contents of form components.
    So to see if javascript ever works, I tried to focus on something simple that only had to set what amounts to an enviromental variable when we returned to the form after a post. I chose to try to change the html value of TARGET from javascript in the PL/SQL button because it doesn't need to be implemented until we finish the post and return to the form.
    So I focused on a hack, setting this.form.TARGET='_blank' in the on_click event handler that forced every subsequent URL call or refresh of the form to be a new window. I then wanted to turn off opening new windows once I'd opened the URL call in a new window by setting TARGET='' in the portal form. I can achieve what I want by coding this.form.TARGET='' in the javascript (on_focus, on_change, or on_mousedown, ...) of every form component that might refresh the form. However, that is a ridiculous hack when a simple htp.p('<script>') ; htp.p('this.form.target=""') ; htp.p('</script>') ; at the end of the button's pl/sql event handle should do the same thing reliably if javascript ever works in the pl/sql event handler.
    If we didn't have access to form components through p_session calls, I'd assume it was a scope issue (what is available from the pl/sql event handler). But unless my syntax is just off, when, if ever, can javascript be used in a portal form's pl/sql event handler for a button?
    if I code a javascript funtion in the forms' pl/sql before displaying form:
    htp.p('<script language="JavaScript">') ;
    htp.p('function fcn_new_window(URL)') ;
    htp.p('window.open(URL)' ) ;
    htp.p('</script>') ;
    the function can be called from a button's on_click javascript event handler:
    fcn_new_window('http://www.oracle.com')
    but from the same button's pl/sql submit event handler this call doesn't work: htp.p('fcn_new_window("http://www.oracle.com")')
    So my questions remain: Is there other syntax I need, or does javascript ever work properly from the pl/sql of a form button's event handler? If it doesn't work, isn't this a bug that should be fixed by Oracle?
    I can probably figure out hacks to make things work the way I need, but executing javascript from pl/sql event handlers seems to be the expected way to affect portal html pages (forms, reports, ...) and it seems not to work as expected. I don't feel I should have to implement hacks for something as simple as calling a javascript function from pl/sql when almost every example I've found in metalink or the forums or Oracle Press's "portal bible" suggests using javascript from pl/sql via the utility htp.p() to effect web page components in portal.
    My TAR on the subject, while still open, returned the result basically: "We can reproduce your situation. Everything looks okay to us, but we can't explain how to use javascript where you want or point you to any documentation that would solve your problem or expain why it should not work the way you want it to. We don't feel its a technical issue. Why don't you post the problem on the portal applications forum."
    I'm hoping I'm just missing something fundamental and everything will work if I implement it a little differently. So if anyone sees my error, please let me know.
    by the way, not sure this is germain, but in reference to your comment:
    "redirections in pl/sql procedures give a peculiar result. in a pl/sql procedure, usually, portals give the last redirection statement and ignore anything else coming after it."
    if I try to raise an alert:
    htp.p('alert("you screwed up")');
    return;
    in a pl/sql event handler, it still doesn't raise the alert, even though its the last thing implemented in the event handler. But if I set the value of a text box using p_session..set_value_as_string() at the same spot, it correctly sets the text box value when I return to the form.

  • Patch management for Office 2013 on MDT

    Hello,
    on current MDT 2012, Office 2013 is added as an app. MSP was created for customization and placed in Update folder (did it a while ago)
    I am preparing new MDT 2013. Deployed OS will be patched with latest updates. So Windows update will not take initially any time for applying patches after deployment from WSUS.
    I would like to know best practices for Updating Office 2013 on Deployment Share.
    Please provide a link or instructions: where to get latest O2013 Update Packages (at least security and critical) and how to place them properly in Update folder. Can it coexist with Customization.msp?
    1. What is the right thing to manage this? No SCCM in place.
    2. Does somebody includes Office 2013 in the image and then use GPO for customization?
    Is it a valid scenario? I see at least 2 advantages: no additional time after deployment and full patches for the moment of image creation. Than it could be updated in the moment of image update.
    Does it make sense? What are disadvantages of this approach?
    thanks.
    --- When you hit a wrong note its the next note that makes it good or bad. --- Miles Davis

    Thanks to all!
    Ty, I added a lot to my knowledgebase during bombing :) you with the questions since last week :) ... Thanks for the answers...
    I purchased Johan's Fundamentals V4 (found it more applicable to my current needs).
    A bit in pressure this week need to push 2 models deployment quickly and correctly as possible.
    So don't have time to Deep Dive.
    What I achieved Driver Group approach works find for tons of drivers. Tried just on model now...
    Have to solve sudden issue with WinPE that was working fine and suddenly stopped working.
    For O2013...
    Just to make things fast I installed O2013 in reference image.
    If I understand correctly I cannot use MSP file after the installation is made. I suppose to create it and add to Updates folder of the O2013 source.
    So now my option is to work with GPO. I have a configured one for O2013 APPV deployment.
    It works great.
    Don't remember if I can manage by GPO applications appearance in the Office. (Example want to exclude Publisher and Access from being used on client PC).
    Can somebody point where is the option in GPO for selecting individual apps within the Office.
    In my MDT2012 I use O2013 deployment as App and use MSP.
    For Appv Office I use apps selection from APPV manager. So not sure if it is doable from Office GPO.
    Thanks.
    --- When you hit a wrong note its the next note that makes it good or bad. --- Miles Davis

  • One chapter for video and another for images on same DVD?

    Hello,
    I don't yet have a Mac, but am very close to buying a MacBook. I do have a question about iDvd. Is it possible to create a theme or template or to even do this. I want to on a regular basis have a short 5-7 tops 10 minute video and 100-200 pictures. I'd like it so the user has the option to click one chapter and watch the video. Click the other and view the images with an option to browse the disc and save the images for uploading to their target of choice such as FB. Is this possible with iDvd?
    Thanks,
    BK

    Hello and Welcome to the discussions!
    Congratulations on being an 'almost' Mac purchaser!
    Yes, you can do what you want in iDVD.
    You will have theme templates that come with iDVD to use to make a nice theme for your projects.
    You will have the options to have the videos play individually by placing them on the menu one at a time, or to put them in iDVD the way you place a slideshow and have them play consecutively. Here is a link to a visual from Old Toad showing just that. Remember to look at this again when you get to this point:
    http://homepage.mac.com/toad.hall/.Pictures/Forum/iDVD8movieSS.png
    Another option for videos is to put them all into one iMovie and make chapters for each video. However, the chapters will not appear on the main menu, but in a separate submenu.
    You can then put the photos in iDVD as their own separate slideshow.
    When your DVD is viewed, the options will be to select to play the video slideshow or play the photo slideshow. You can rename these titles whatever you wish.
    If you make an iMovie, the options for it will be 'Play Movie' and 'Scene Selection' ( to link to the submenu with the iMovie chapter choices) and the same photo slideshow.
    In additiion, you can utilize the DVD-ROM option to have the photos and videos available for downloading to computer. This option will not be seen when the DVD disk is viewed on a set-top DVD player. iDVD's Help File says:
    +In iDVD, you can easily make it possible for viewers to download the photos and movies that appear in your slideshows. This is a nice feature for viewers who may, for example, want to print the photos for permanent display.+
    +The photos and movies are added to the DVD-ROM portion of your DVD, and viewers can access them when they insert the DVD into the drive on a computer. (The files are not accessible from a TV.)+
    Get the MacBook! Good luck with your projects. Take the time to do all the tutorials Apple offers for its iLife applications. Spend time here in the discussions for the apps you are using. Utilize the Search function to see if someone else has asked and received answers to a problem similar to yours. You will learn a lot and find answers that even the Apple Genius bar people do not have!
    Message was edited by: Beverly Maneatis

  • Lion: Is it possible to fix the behavior of New Event in Month View?

    I desperately want to be able to choose the default length of new events added while in month view.
    I view iCal in Month View and I'm often adding events for next week rather than the current week.  When adding a new event while in Month View, iCal assumes the event is all day long and there's no preference to change this behavior.  To change the event to the length of a typical meeting, you have to:
    Double click the event.
    Then click EDIT.
    Then click to deselect the "ALL DAY" checkbox.
    Click to enter a new time for the event to start.
    Then click a new time for the event to end because iCal assumes the event is 8 hours long.
    If the event you're adding starts after 4PM, you're going to have to change the end DATE too, because iCal assumed the event lasted into the next day.
    MY GOD!  All of that, just to add a 1 hour meeting at 4:30 next Tuesday.
    Sure, I could use the new + button to add an event at a specific time, but for that 4:30 meeting, iCal still assumes the meeting lasts until 12:30 the next morning, which means a ton of click click clicking to edit the event iCal got wrong in the first place.
    I realize I can type out the specifics in that silly bouncy New Event "+" box...  but it's annoying to have to type all of that when, previously, all I had to do was double click next Tuesday and type "Meeting with john" and set the time to 4:30.
    The new iCal is infuriating.  I'm especially shocked that clicking "New Event" in the menubar doesn't open a new event to edit.  Instead, it opens the silly bouncy "+" box.  If I wanted that, I'd have clicked in the stupid + box!  I'm downright shocked by the poor UI decisions in the new iCal.  I assumed this stuff would be fixed in 10.7.1.  Obviously not.

    Sadly, I didn't.  iCal is click intensive these days unless you type everything out and get it exactly right, including some things (like which calendar) that you don't get the opportunity to set the first time.
    The solution is really simple.  Double Clicking on a day while in month view shouldn't create a new day-long event.  It should open the gray edit event pop up box so I can create a new event with the correct info the first time (which calendar, notes, etc).  The current way is to create a new event and then double click THAT to fix it.
    For example: Want to create a new event using your Work calendar?  Unless your Work Calendar is your default or the last calendar you used, you can't.  You can only create a new event using whichever calendar pops up, and then you have to double click the event you created so you can fix it.
    Using the + sign popup box for inputing using native language works when what you need to do is simple.  The moment you want to create a new event that isn't dead simple, you're lost in a sea of extra useless clicks to acomplish what should be a simple task because there is no way to get it right the first time,
    I'm not convinced anyone at Apple uses iCal on a Mac these days.  They probably use iPads, which is why they don't realize how much of a step backward the new iCal for Mac is.

Maybe you are looking for

  • In Adobe Acrobat XPro, my text label on the button disappears

    Hello, I have created a button in my form in Adobe Acrobat XPro. This button is set to Save and Send so that the form gets emailed. The text on the button, "Save and Send" disappears when I preview the form. Any ideas as to how to fix? Thanks.

  • Where are font preferences kept?

    I have this weird situation with the font window, the one you bring up in TextEdit when you select "Show fonts". The window that comes up as many invisible entries in my Favorites window. That is, about 5 lines show fonts I have saved as to size and

  • Sms pc suite reading up to a certain date

    Hello all, I am struggling with a problem since many days, and hope you can help me. In my phone (n70)I have more than 2000 sms, all in the phone memory. While trying to backup my sms with pcsuite, I realized that pc suite reads and transfers only th

  • IWeb based site can't load iWebSite.js file, need help

    Hello. I need some advice. My own internet site http://iworldfor.me, won't load on work, and some other place. The error is in can't load content of iWebSite.js I was test it on Safari on my MacBook, and Firefox on my linux work machine... What's hap

  • Is there a way to convert 24 bit tTIFF files to 8 bit JPEGS

    Many months ago I scanned several hundred slides into TIFF format. When I look at the details of the file, they have a bit depth of 24. Is there any way to use Elements 6 to save these files to JPEG format with only an 8 bit colour depth?