File Item order in a Navigation Tree

Hi,
A consultant previously adapted the Navigation Menu Portlet from OPS to display the navigation tree for 'Basefile' items. He created an item type that builds a tree and when a link representing a file is clicked the file will appear in a frame next to the tree.
The portlet uses wwv_user_corners and wwwsbr_all_items to build the tree.
The portlet displays the links for the files within a folder ordered alphabettically by the display link for the file. What we want to do is to order them by the direct address url of the file, ie the file name. This would allow the page builder to display the file links in the order he wants by prefixing the file names with numbers to control the order.
We are having difficulty identifying the right view/table in portal that has the direct address. wwdoc_window$ appears to have the information we want but we are having difficulty determining the right fields to use for the join with wwsbr_all_items.
Any help would be appreciated.
Thanks,
Peter

Hi Krishna
In standard SAP, "Return order(RE)" can be created either with reference to "Billing document" OR "Sales order" and there is no Madatory reference for Return order (RE).
Therefore, Return order can be created without  any reference also ,in standard system.
In Copy control (VTAA), you can find  OR  to  RE  as source and target document pair.
Similarly, in copy control (VTAF), you can find  F2  to  RE  as source and target document pair.
If it is required in your organisation, then you can mark "reference mandatory" for Return order (RE).
When you create a Return order(RE) with reference to Sales order(OR),in Copy control (VTAA), no Item category has been proposed for the Target document RE, therefore it is determined from the assignment in the customisation ,as below.
Sales doc type + Item category group + Item usage(if any) + Item category of higher level item(if exists)  = Item category.
e.g, RE  +  NORM  +  (blank)  +  (blank)   =  REN
If ,you create the Return order(RE) with reference to the Billing document (F2), then in copy control(VTAF) at item level, Item category(REN) has been proposed for the target document, so system copies that to target document RE.
So, as beacuse you are creating the Return order(RE) with reference to the Sales order(OR), you have to check the assignment in customisation as above.
Beside this, "Credit for Return(RE)" is always created with reference to the "Return order(RE)" and  NOT with reference to the "Return Delivery(LR)", in standard SAP.
That is why ,if you check the Item category REN, you will find the "Billing relevance" as "B"(Order related Billing docuemnt).
Regards

Similar Messages

  • Google Search Navigation Tree Horizontal vs. Vertical

    Periodically, including right now, Firefox displays the Google search navigation tree horizontally verses the usual vertical layout/display. I've noticed it tends to be after a computer restart, and obviously isn't always an issue.
    The horizontal navigation limits display options particularly in Google images compared to the vertical.

    Notice the block boxes for the two attached files showing the way the navigation tree displays in Firefox 17 Beta verses IE. The IE display is the norm for me even with Firefox.
    What is going on?
    Is there some way I can correct this?

  • Opening files in order

    Is there any way to open files in order from within the list view. I understand that if I open items in file>open or open them from the column view they will open in order. Working in Column View does not allow me to sort by kind as far as I can tell, which is sort of limiting in my workflow.
    The main reason for this is that when I'm shooting with my camera for jobs, I like to shoot saving in both raw and jpg formats. This way I have a file I can send out in email quickly should I need to plus a raw file. Keeping them in the same folder makes it easier when I'm later editing and removing both versions of the shots.
    Larry

    My workaround for now is to use file>open then navigate back to where I was and enter jpg in the search, it's slow and opens a new can of worms, file>open sends me back to far and navigating back takes up time.
    See if this is the Fix for that problem...
    In finder, select Go menu>Go to Folder, and go to "/volumes".
    Volumes is where an alias to your hard drive ("/" at boot) is placed at startup, and where all the "mount points" for auxiliary drives are created for you to access them. This folder is normally hidden from view.
    Drives with an extra 1 on the end have a side-effect of mounting a drive with the same name as the system already think exists. Try trashing the duplicates with a 1, and reboot.
    If there are none with a one, then delete the original & reboot.

  • Listing File Hierarchy in console using a Tree structure

    first off i'm a college student. i'm not that good at java... we got this CA in class and try as i might i just can't get my head around it
    i was wondering if someone who know a bit more about java then i do would point me in the right direction, were i'm going wrong in my code
    i have to list out sub-files and sub-directorys of a folder (i.e. C:/test) to console using tree structure
    like this
    startingdir
    dir1 //subfolder of startingdir
    dir11 //subfolder of dir1
    dir111 //subfolder of dir11
    dir12 //subfolder of dir1
    file1A // document on dir1
    dir2 //subfolder of startingdir
    Tree.java
    import java.util.Iterator;
    import java.util.LinkedList;
    import java.util.ListIterator;
    import java.util.NoSuchElementException;
    import java.util.Deque;
    public class Tree<E> {
        // Each Tree object is an unordered tree whose
        // elements are arbitrary objects of type E.
        // This tree is represented by a reference to its root node (root), which
        // is null if the tree is empty. Each tree node contains a link to its
        // parent and a LinkedList of child nodes
        private Node root;
        //////////// Constructor ////////////
        public Tree () {
        // Construct a tree, initially empty.
            root = null;
        //////////// Accessors ////////////
        public boolean isEmpty () {
        // Return true is and only if this tree is empty.
             return (root == null);
        public Node root () {
        // Return the root node of this tree, or null if this tree is empty.
            return root;
        public Node parent (Node node) {
        // Return the parent of node in this tree, or null if node is the root node.
            return node.parent;
        public void makeRoot (E elem) {
        // Make this tree consist of just a root node containing element elem.
            root = new Node(elem);
        public Node addChild (Node node, E elem) {
        // Add a new node containing element elem as a child of node in this
        // tree. The new node has no children of its own. Return the node
        // just added.
            Node newChild = new Node(elem);
            newChild.parent = node;
            node.children.addLast(newChild);
            return newChild;
        public E element (Node node) {
             return node.getElement();
        //////////// Iterators ////////////
        public Iterator childrenIterator (Node node) {
            return node.children.iterator();
        public Iterator nodesPreOrder () {
        // Return an iterator that visits all nodes of this tree, with a pre-order
        // traversal.
            return new Tree.PreOrderIterator();
        //////////// Inner classes ////////////
        public class Node {
            // Each Tree.Node object is a  node of an
            // unordered tree, and contains a single element.
            // This tree node consists of an element (element),
            // a link to its parent
            // and a LinkedList of its children
            private E element;
            private Node parent;
            private LinkedList<Node> children;
            private Node (E elem) {
                // Construct a tree node, containing element elem, that has no
                // children and no parent.
                this.element = elem;
                this.parent = null;
                children = new LinkedList<Node>();
            public E getElement () {
            // Return the element contained in this node.
                return this.element;
            public String toString () {
            // Convert this tree node and all its children to a string.
                String children = "";
                // write code here to add all children
                return element.toString() + children;
            public void setElement (E elem) {
            // Change the element contained in this node to be elem.
                this.element = elem;
        public class PreOrderIterator implements Iterator {
            private Deque<Node> track; //Java recommends using Deque rather
            // than Stack. This is used to store sequence of nomempty subtrees still
            //to be visited
            private PreOrderIterator () {
                track = new LinkedList();
                if (root != null)
                    track.addFirst(root);
            public boolean hasNext () {
                return (! track.isEmpty());
            public E next () {
                Node place = track.removeFirst();
                //stack the children in reverse order
                if (!place.children.isEmpty()) {
                    int size = place.children.size(); //number of children
                    ListIterator<Node> lIter =
                            place.children.listIterator(size); //start iterator at last child
                    while (lIter.hasPrevious()) {
                        Node element = lIter.previous();
                        track.addFirst(element);
                return place.element;
            public void remove () {
                throw new UnsupportedOperationException();
        FileHierarchy.java
    import java.io.File;
    import java.util.Iterator;
    public class FileHierarchy {
        // Each FileHierarchy object describes a hierarchical collection of
        // documents and folders, in which a folder may contain any number of
        // documents and other folders. Within a given folder, all documents and
        // folders have different names.
        // This file hierarchy is represented by a tree, fileTree, whose elements
        // are Descriptor objects.
        private Tree fileTree;
        //////////// Constructor ////////////
        public FileHierarchy (String startingDir, int level) {
            // Construct a file hierarchy with level levels, starting at
            // startingDir
            // Can initially ignore level and construct as many levels as exist
            fileTree = new Tree();
            Descriptor descr = new Descriptor(startingDir, true);
            fileTree.makeRoot(descr);
            int currentLevel = 0;
            int maxLevel = level;
            addSubDirs(fileTree.root(), currentLevel, maxLevel);
        //////////// File hierarchy operations ////////////
        private void addSubDirs(Tree.Node currentNode, int currentLevel,
                int maxLevel) {
        // get name of directory in currentNode
        // then find its subdirectories (can add files later)
        // for each subdirectory:
        //    add it to children of currentNode - call addChild method of Tree
        //    call this method recursively on each child node representing a subdir
        // can initially ignore currentLevel and maxLevel   
            Descriptor descr = (Descriptor) currentNode.getElement();
            File f = new File(descr.name);
            File[] list = f.listFiles();
            for (int i = 0; i < list.length; ++i) {
                if (list.isDirectory()) {
    File[] listx = null;
    fileTree.addChild(currentNode, i);
    if (list[i].list().length != 0) {
    listx = list[1].listFiles();
    addSubDirs(currentNode,i,1);
    } else if (list[i].isFile()) {
    fileTree.addChild(currentNode, i);
    // The following code is sample code to illustrate how File class is
    // used to get a list of subdirectories from a starting directory
    // list now contains subdirs and files
    // contained in dir descr.name
    ////////// Inner class for document/folder descriptors. //////////
    private static class Descriptor {
    // Each Descriptor object describes a document or folder.
    private String name;
    private boolean isFolder;
    private Descriptor (String name, boolean isFolder) {
    this.name = name;
    this.isFolder = isFolder;
    FileHierarchyTest.javapublic class FileHierarchyTest {
    private static Tree fileTree;
    public static void main(String[] args) {
    FileHierarchy test = new FileHierarchy ("//test", 1);
    System.out.println(test.toString());

    Denis,
    Do you have [red hair|http://www.dennisthemenace.com/]? ;-)
    My advise with the tree structure is pretty short and sweet... make each node remember
    1. it's parent
    2. it's children
    That's how the file system (inode) actually works.
    <quote>
    The exact reasoning for designating these as "i" nodes is unsure. When asked, Unix pioneer Dennis Ritchie replied:[citation needed]
    In truth, I don't know either. It was just a term that we started to use. "Index" is my best guess, because of the
    slightly unusual file system structure that stored the access information of files as a flat array on the disk, with all
    the hierarchical directory information living aside from this. Thus the i-number is an index in this array, the
    i-node is the selected element of the array. (The "i-" notation was used in the 1st edition manual; its hyphen
    became gradually dropped).</quote>

  • How to Get Albums in File-Name-Order Photo

    When I updated my iPod Touch to V4.0 and iTunes (V9 on Windows XP) re-synced it, I found that my photo albums were now in Picture Date order rather than PC file name order. I tried several things that didn't work.
    What worked was using the Photoshop Essentials Organizer to change the picture date on all the photos in an album to the same date and time (this can be done to all selected photos in one operation).
    I did the sync in two steps. First I moved the album out of the iTunes photos directory and then synced my iPod which deleted the album. Then I moved it back and re-synced.
    Does anyone know of an easier trick? I’ve already submitted a feedback item to Apple that they should make file-name-order an option in iTunes
    Andy…

    The trick that I used is to append the URL with the name of the file. So if your url is "http://domain.com/attach", use "http://domain.com/attach/filename.doc". IE and Netscape parse the URL to determine what the filename is, so by placing this text at the end, you essentially let the browsers know what the filename is. :)
    I have design a program to get the attach file from an
    attachment. But when I click the link to save the
    file, the default name of the file is 'attach'
    whenever I get different files. Who know what is the
    problem, please tell me the truth.
    Here are some codes of the program.<< snip >>

  • Opening new window in xMII Portal navigation tree

    I'm doing a 5-level deep drilldown where each drilldown needs a new window (browser page). I do it with JavaScript and window.open(strURL); and xMII 11.5.
    This works well with "standalone" pages, but I would like to use xMII Portal navigation tree all through.
    So, is there a way to open a page (with JavaScript) in xMII Portal Navigation tree so that user gets "jumped" to this location while staying in portal without a new window or popup window. Just like I would do with mouse (navigate tree, open page) but with code?.
    I have found nothing relating to this in SDN or help files.
    Message was edited by:
            Matti Nummi

    Hi, Matti.
    If you specify a target attribute of "MainContentWindow", it should open up in the portal content area.
    Best regards,
    Rick

  • In column view, the   file item, ie .ai doenst preview?

    The preview of items are no showing. So I have to open the file in order to see
    what it is, which is very bad, b/c i work with a lot of illustrator files.

    CocoaThumbX is a separate program that you will need to download. The developer's site is here:
    http://www.stalkingwolf.net/software/cocothumbx/
    When you run the program you can select a batch of files and drop them into the program and it will create thumbnails for many, perhaps even most of the ai files, but not all. I have not checked to find out why some of thumbnails are blank. Also, the thumbnails it creates appear to be only a tiny section of the original. There may be a better program for creating ai thumbs.
    You can download the free QuickLook generator here:
    http://hrmpf.com/wordpress/195/leopard-quick-look-for-illustrator-files
    Download, unzip, and put the file here:
    "/Library/QuickLook/illust.qlgenerator"
    You'll need to restart or log out and back in. You will then be able to see a full thumbnail in the Finder in both the Preview column of a window in column view, and in Quicklook with any window view, just select the file and hit the Spacebar.
    Francine
    Francine
    Schwieder

  • Remove breadcrumb navigation Tree.

    Hi Experts,
    How can i remove the breadcrumb navigation tree that appears just below the top level navigation fro ESS. I have seena  few blogs af dound that the changea are done at the coding level. Here we are using the standard ESS application and may not have access to the codesin WDJ. Is there any property of view/page/workset through which i can remove this navigation.
    BR,
    Kaustubh

    This has nothing to do with ESS/MSS coding.
    You need to change your Page Title bar....which is part of your portal framework/desktop.
    Possible properties will be :
    Show Breadcrumb
    Show History List
    However, the challenge here will be to make these changes available only for ESS. As same desktop is being used for ESS role as well as other roles.
    For this you will be required to change its PAR file (com.sap.portal.navigation.pagetoolbar.PageToolbar) in NWDS.
    I am not sure even if this will be possible or not...!

  • How to access KM documents from detailed navigation tree area in EP???

    Hello Gurus,
    I want to simulate the portal navigation. I want to show a page also with a detailed navigation tree with links to several KM documents on left frame and a content area for such content files on right frame.
    I have decided to modify standard par file "com.sap.portal.navigation.lightdetailednavigationtree" and I tried to modify JSP to show dinamically several links to KM documents applying logic based on webdynpro tutorial "Using Knowledge Management funcionality in Web Dynpro applications". But a runtime error occurs. I don´t know if I must add sharing references in portalapp.xml for using such classes and also I don´t know the way to do it.
    It would be really grateful if somebody could guide me through this issue or give me another more proper solution.
    Thanks in advance.
    Best Regards.
    Rosa

    Hi javier,
    If u want to access KM documents in some different format then ur default KM navigation Iview.
    Then please have a look at this blog. It will really help you:
    Launching WebDynpro from Universal Worklist
    I hope it helps.
    Please revert back in case of further issues.
    Regards,
    Sumit

  • Conception problem: Integrating navigation tree

    Hi all,
    In order to help users to visualize what actions they can perform, i would like to add a navigation tree into an existing web app.
    My first idea was to create a new Index.jsp divided into two frames, the first one get the tree and the second is used for displaying the .jspx called. Problem, in the browser address bar the only thing which is displayed is "http....index.jsp". I no longer have the adress of each page and that lead to difficulties in securizing the app, and some problems in using browser navigation capabilities.
    A solution could be to just create my tree into a new page then including a button to go to this page from all the others, but my idea was to let this tree displayed everytime (or may be adding a way for switching rendered property).
    A last possibility i imagined is to include the tree into each page, but before doing this (there is a lot of pages to modify) i would rather than some experimented people give me some advices:
    What is the best solution?
    Should i use a frame based sharing or another way?
    Thanks in advance,
    Tif

    Hi frank,
    Thank you for being interested.
    This web app works like an ERP (enterprise resource planning). Around 50 persons should use it. Depending on their roles they have rights for view, create, modify data in different modules (business development, human resources, instrument maintenance, etc). Each module contains many pages (customer creation and edition, quotation management, etc).
    The tree displays each module and some pages of each represented by hyperlinks. Depending on the user who is logged in the tree displays less or more possible navigations. It should enable to navigate quickly from one page to another by these links. User can choose to hide it. So if user well know the application he doesn't need really to use the tree (there is other way to navigate), but for beginners it should display in a simple way all the tasks they can perform depending on their role.
    I hope this explanation is more clear. In my last tries, i'm putting it in the menu3 facet of my pages, but i've problem to target the window. When i put _parent display is correct but the browser address bar display "http...myTree.jsp" and not the called page address. I'm working on, so i very appreciate all tips, advices you can give to me
    Thanks and regards,
    Tif

  • What happened to Navigation Tree Menu?

    Hi,
    i was able to use Navigation Tree Menu on portal 10.1.2.0.0
    now we have upgraded to 10.1.4
    and it has disappeared
    note: i have configured all items types to be enabled in the page group.

    A possible problem is that the url on 10.1.4 changed and this menu gets the pageid from url.
    Check the package, there is a part that it takes pageid from url.

  • Menu and funciton listing under responsibility navigator tree

    Hi,
    I have a doubt regarding menu and function listing in responsibility navigator tree of Oracle Application. Is there any standard program which lists all the form and functions that are attached to a responsibility or
    any query that lists exactly the same list of form and funcitons that are attached to the responsibility in the same order that appears in the navigator tree.
    Any help will be appreciated.
    Thanks,
    A

    Check the post by user487104 in this thread
    Re: How to check a function is accessible under responsibility?
    Hope this helps,
    Sandeep Gandhi

  • Open Purchase Order Separation from item Order Qty

    Hi All,
    Kindly  suggest me how to separate open Purchase order from Item Order Qty.if i have 2 WH with different Order qty.in report it will be shown total order qty of both WH's.like
    Item            WH              Order Qty
    A                 01               100
    A                 02                 50
                      or
    A                 01                  0
    i need like this A--150   OR A--50(order qty).
    plz look into my query and suggest me how to do this.
    select distinct t3.CardName as SuplierName,t2.[ItemCode], t2.itemname,t2.[U_pperson]as PP,((SELECT sum(T4.[OnHand])FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = '01')
    +(SELECT sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = 'EWH')) as Stock,t2.MinLevel as 'Min Bin',(((SELECT sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = '01')
    +(SELECT sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = 'EWH'))-t2.MinLevel) as balance,
    sum(t1.openqty)
    as OrderQty,
    t2.MaxLevel as 'Max Bin',(((SELECT  sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = '01')
    +(SELECT sum( T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = 'EWH'))-t2.MaxLevel)as 'Balance II' from OPOR t0 inner join POR1 t1 on t0.DocEntry=t1.DocEntry inner join OITM t2 on t2.ItemCode=t1.ItemCode inner join ocrd t3 on t3.CardCode=t2.CardCode inner join OITW t4 on t4.ItemCode=t1.ItemCode and t4.WhsCode=t1.WhsCode   where t2.validFor='y' and  t2.[U_pperson]='p1' or t2.[U_pperson]='p2'  or t2.[U_pperson]='p3' group by t3.CardName,T4.[OnHand],t2.[ItemCode], t2.itemname,t2.[U_pperson],t2.MinLevel,t2.MaxLevel,t1.OpenQty
    Thanks&Regards,
    P.Pratap

    Hi,
    Try this:
    select distinct t3.CardName as SuplierName,t2.[ItemCode], t2.itemname,t2.[U_pperson]as PP,((SELECT sum(T4.[OnHand])FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = '01')
    +(SELECT sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = 'EWH')) as Stock,t2.MinLevel as 'Min Bin',(((SELECT sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = '01')
    +(SELECT sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = 'EWH'))-t2.MinLevel) as balance,
    sum(t1.openqty)
    as OrderQty,
    t2.MaxLevel as 'Max Bin',(((SELECT  sum(T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = '01')
    +(SELECT sum( T4.[OnHand]) FROM OITW T4 WHERE T2.[ItemCode] = T4.[ItemCode] AND  T4.[WhsCode] = 'EWH'))-t2.MaxLevel)as 'Balance II'
    from
    OPOR t0 inner join POR1 t1 on t0.DocEntry=t1.DocEntry inner join OITM t2 on t2.ItemCode=t1.ItemCode inner join ocrd t3 on t3.CardCode=t2.CardCode inner join OITW t4 on t4.ItemCode=t1.ItemCode and t4.WhsCode=t1.WhsCode   where t2.validFor='y' and  t2.[U_pperson]='p1' or t2.[U_pperson]='p2'  or t2.[U_pperson]='p3'
    group by t3.CardName,t2.[ItemCode], t2.itemname,t2.[U_pperson],t2.MinLevel,t2.MaxLevel
    Thanks & Regards,
    Nagarajan

  • Display  Purchase order, PO Item , Order Number ,entry sheet quantity ,entry sheet price ,invoice quantity, invoice price  against each line number

    hello all,
    i have an ALV report requirement like this,
    on the initial screen i have displayed(for a given agreement number like in ME33K )
    in the selection screen i have taken agreement number as EKPO-EBELN.
    purchase document number        item number        short text        target quantity      net price
    5400000019                                  1                      xxx                  1.000                  304300.00
                                                        2                     xxxx                 1.000                  500000.00
    the above fields i have taken from EKPO table.....
    and on double clicking the  item number i have displayed
    line number          service number       short text           quantity    units    gross price   quantity released
    1                           swr10                   xxxx                 2.00          kg          500             2
    2                           swr11                    xxxx                5.00          EA         500             2
    the above fields i have taken from ESLL (esll-extrow, esll-srvpos, esll-ktext1 , esll-menge  etc......)
    this i have done by passing EBELN to ESLH and getting PACKNO and passed this PACKNO to ESLL.
    now my question is i need to display  Purchase order, PO Item , Order Number ,entry sheet quantity ,entry sheet price ,invoice quantity, invoice price
    against each line number above.....
    from which table do i need to take these fields.....
    please guide me....
    thankq....

    Thanks Andra,
    The problem is the multiple invoices is for non goods receipt item so there will be no delivery.At the time of creating a PO the GR is not checked so there will be no delivery .
    Also this setting is for invoices which are comming from Vendors.But if we are genrating the invoices manually it is not blocking those invoices.Also i there is nowhere mentioned in Incomming invoice to set tolerence for incomming invoice.Are you talking about Vendor tolerences?
    Thanks in advance
    Edited by: Metroid01 on May 14, 2009 6:52 PM

  • How can I send multiple pictures to the Kodak link (under file & then order prints)? if the photos are not sequential can it be done?

    how can I send multiple pictures to the Kodak link (under file & then order prints)?  if the photos are not sequential can it be done?

    Does the order matter here?Because the photos will be sent for printing. If there is any other reason, can you please cite example.

Maybe you are looking for

  • Proforma Invoice and Advance Invoice

    QUESTION ======== In Purchasing and Payables - when purchasing organization receives Proforma Invoice from supplier it can not make advance payment before receiving advance invoice. The work flow is as follows: Real Business Process: Purchase Order f

  • Change color of font in part of email message

    I can't figure out how to change the font color of just a certain part of my email.  This should seem easy and it looks like you only highlight the text and click on colors.  But that doesn't work.  When I clicked on help it said go to preferences. 

  • Encoding Problem from Webservice to Weblogic JVM 10.0 to Database

    Hi, I feel we have issue with encoding. We have a value "TESTTESTTEST -TESTÇAO TESTTEST", Clients inject a message with UTF-8 format with this value to our Weblogic servers and these jvm does some businness validation and inserts in to database. In D

  • Setting pages on iMac 27"

    Does anyone know how to set up the desktop so that if (for example), two separate windows for Safari are opened, they are always set to be side by side of equal widths? It would be great not to have to manually move windows around. Any ideas? With th

  • Does anynody know if it is possible to merge 2 data sets ?

    hello, let's say we have two XMLDataSet ds1 and ds2 of the same nature (same data set path), both were loaded, is it possible to add the data of ds2 to ds1 and have the region updated? thank you.