"Timestamp" and Display Type "dateTimeFiled" and bindings in JHS

Hi Everybody,
Problem:
In the app def I have field called "Create Date" of type "Timestamp" and Display Type "dateTimeFiled". If I set "Prompt in Form Layout" or "Prompt in the Table Layout" #{bindings.$BINDING_NAME$.label} and set "Query Operation" to "between" to generate two field "Create Date From" and "Create Date To" I have negative result. In case if I set "Label Text" in "Control Hints" in the "Entity Object Editor" to "Create Date" I get on the screen two "Create Date" and not "Create Date From" and "Create Date To". In case where I remove this label I get two "CreateDate". This work in one case only, if I set "Prompt in Form Layout" or "Prompt in the Table Layout" to "Create Date", then I have "Create Date From" and "Create Date To" on the screen.
So the question is:
Is there any way to use #{bindings.$BINDING_NAME$.label} and still generate "Create Date From" and "Create Date To" on the screen, or it's JHS BUG.
Any help appreciated.

No, this is not supported. You need to specify the prompt in the application definition editor, you cannot use ADF BC hints in this case.
Steven Davelaar,
JHeadstart Team.

Similar Messages

  • Upload and displaying document file and image file with oracle portal

    Dear All,
    Could anyone please tell me how to displaying document file and image file that I've stored to database (8.1.7) using oracle portal. (I use intermedia data type).
    I've tried to follow the instruction given by Oracle LiveDemo, but it came with failure. (the image or document won't show up).
    Thanks for support.
    Moza

    Please repost this question in the appropriate section of the Discussion Forum.
    This forum is for general suggestions and feedback about the OTN site. For technical question about an Oracle product,
    For customers with paid support (Metalink) please go to:
    http://www.oracle.com/support/metalink

  • How to cancel the event in Item Adding and display javascript message and prevent the page from redirecting to the SharePoint Error Page?

    How to cancel the event in Item Adding without going to the SharePoint Error Page?
    Prevent duplicate item in a SharePoint List
    The following Event Handler code will prevent users from creating duplicate value in "Title" field.
    ItemAdding Event Handler
    public override void ItemAdding(SPItemEventProperties properties)
    base.ItemAdding(properties);
    if (properties.ListTitle.Equals("My List"))
    try
    using(SPSite thisSite = new SPSite(properties.WebUrl))
    SPWeb thisWeb = thisSite.OpenWeb();
    SPList list = thisWeb.Lists[properties.ListId];
    SPQuery query = new SPQuery();
    query.Query = @"<Where><Eq><FieldRef Name='Title' /><Value Type='Text'>" + properties.AfterProperties["Title"] + "</Value></Eq></Where>";
    SPListItemCollection listItem = list.GetItems(query);
    if (listItem.Count > 0)
    properties.Cancel = true;
    properties.ErrorMessage = "Item with this Name already exists. Please create a unique Name.";
    catch (Exception ex)
    PortalLog.LogString("Error occured in event ItemAdding(SPItemEventProperties properties)() @ AAA.BBB.PreventDuplicateItem class. Exception Message:" + ex.Message.ToString());
    throw new SPException("An error occured while processing the My List Feature. Please contact your Portal Administrator");
    Feature.xml
    <?xml version="1.0" encoding="utf-8"?>
    <Feature Id="1c2100ca-bad5-41f5-9707-7bf4edc08383"
    Title="Prevents Duplicate Item"
    Description="Prevents duplicate Name in the "My List" List"
    Version="12.0.0.0"
    Hidden="FALSE"
    Scope="Web"
    DefaultResourceFile="core"
    xmlns="http://schemas.microsoft.com/sharepoint/">
    <ElementManifests>
    <ElementManifest Location="elements.xml"/>
    </ElementManifests>
    </Feature>
    Element.xml
    <?xml version="1.0" encoding="utf-8" ?>
    <Elements xmlns="http://schemas.microsoft.com/sharepoint/">
    <Receivers ListTemplateId="100">
    <Receiver>
    <Name>AddingEventHandler</Name>
    <Type>ItemAdding</Type>
    <SequenceNumber>10000</SequenceNumber>
    <Assembly>AAA.BBB, Version=1.0.0.0, Culture=neutral, PublicKeyToken=8003cf0cbff32406</Assembly>
    <Class>AAA.BBB.PreventDuplicateItem</Class>
    <Data></Data>
    <Filter></Filter>
    </Receiver>
    </Receivers>
    </Elements>
    Below link explains adding the list events.
    http://www.dotnetspark.com/kb/1369-step-by-step-guide-to-list-events-handling.aspx
    Reference link:
    http://msdn.microsoft.com/en-us/library/ms437502(v=office.12).aspx
    http://msdn.microsoft.com/en-us/library/ff713710(v=office.12).aspx
    Amalaraja Fernando,
    SharePoint Architect
    Please Mark As Answer if my post solves your problem or Vote As Helpful if a post has been helpful for you. This post is provided "AS IS" with no warrenties and confers no rights.

    Recommended way for binding the list event handler to the list instance is through feature receivers.
    You need to create a feature file like the below sample
    <?xmlversion="1.0"encoding="utf-8"?>
    <Feature xmlns="http://schemas.microsoft.com/sharepoint/"
    Id="{20FF80BB-83D9-41bc-8FFA-E589067AF783}"
    Title="Installs MyFeatureReceiver"
    Description="Installs MyFeatureReceiver" Hidden="False" Version="1.0.0.0" Scope="Site"
    ReceiverClass="ClassLibrary1.MyFeatureReceiver"
    ReceiverAssembly="ClassLibrary1, Version=1.0.0.0, Culture=neutral,
    PublicKeyToken=6c5894e55cb0f391">
    </Feature>For registering/binding the list event handler to the list instance, use the below sample codeusing System;
    using Microsoft.SharePoint;
    namespace ClassLibrary1
        public class MyFeatureReceiver: SPFeatureReceiver
            public override void FeatureActivated(SPFeatureReceiverProperties properties)
                SPSite siteCollection = properties.Feature.Parent as SPSite;
                SPWeb site = siteCollection.AllWebs["Docs"];
                SPList list = site.Lists["MyList"];
                SPEventReceiverDefinition rd = list.EventReceivers.Add();
                rd.Name = "My Event Receiver";
                rd.Class = "ClassLibrary1.MyListEventReceiver1";
                rd.Assembly = "ClassLibrary1, Version=1.0.0.0, Culture=neutral,
                    PublicKeyToken=6c5894e55cb0f391";
                rd.Data = "My Event Receiver data";
                rd.Type = SPEventReceiverType.FieldAdding;
                rd.Update();
            public override void FeatureDeactivating(SPFeatureReceiverProperties properties)
                SPSite sitecollection = properties.Feature.Parent as SPSite;
                SPWeb site = sitecollection.AllWebs["Docs"];
                SPList list = site.Lists["MyList"];
                foreach (SPEventReceiverDefinition rd in list.EventReceivers)
                    if (rd.Name == "My Event Receiver")
                        rd.Delete();
            public override void FeatureInstalled(SPFeatureReceiverProperties properties)
            public override void FeatureUninstalling(SPFeatureReceiverProperties properties)
    }Reference link: http://msdn.microsoft.com/en-us/library/ff713710(v=office.12).aspxOther ways of registering the list event handlers to the List instance are through code, stsadm commands and content types.
    Amalaraja Fernando,
    SharePoint Architect
    Please Mark As Answer if my post solves your problem or Vote As Helpful if a post has been helpful for you. This post is provided "AS IS" with no warrenties and confers no rights.

  • How do I reverse my decision to have firefox remember and display my username and password for a particular website?

    When I go to a website that requires user-name & password I enter them and then Firefox pops up "do you want firefox to remember your user-name & password for this site".
    I made the mistake of clicking "yes" and now when I go there the site comes us with both. I have several user names & passwords for some sites and now I don't want firefox to remember them. So, how do I reverse my decision to have firefox remember and display my user name and password for a particular website?

    Remove a saved password here: Tools > Options > Security: Passwords: "Saved Passwords" > "Show Passwords"
    * http://kb.mozillazine.org/Deleting_autocomplete_entries
    * [[Remembering passwords]]

  • Bridge "stops working" and displays split thumbnails and previews.

    When working with Windows XP, my Photoshop/Bridge CS3 was working fine. On my new computer with Vista, Bridge acts up in strange ways. It sometimes shuts down spontaneously, causing a Windows "Bridge has stopped working" message to appear.
    At other times, Bridge displays thumbnails that are split or only half there, with the preview image also split in half with the sides reversed. If I wait a few minutes, the proper thumbnails and preview finally appear, but this is a nuisance. BTW, the same copy of Bridge works just fine on my laptop with XP. When I contacted Adobe, they blamed it on Windows. When I contacted Windows, they blamed it on Adobe. Anyone with similar problems and suggested fix?
    Thanks!

    Hi Gerry,
    as it is nearly two months since your initial post, you may have already solved your problem. In which case I'll continue with this reply for the benefit of anyone else who suffers the same affliction:
    My problem was Bridge CS3 running on a 32-bit Vista Home Premium SP1, Intel Core 2 CPU T5300 @ 1.73GHz and 2GB of RAM (if that makes any difference). Like Curt, I'm no computer expert either but I was experiencing a very similar problem to your's in CS3 Bridge.
    The error message contained something about the "nvlddmkm.sys" not working. The 'nvlddmkm.sys' refers to the driver for my graphics card, a 'NVIDIA GeForce Go 7300', whose driver I had recently updated (to solve a separate conflict between an updated BIOS - it never stops!).
    After some fiddling, I discovered that changing the 3D Graphics setting on the Nvidia Control Panel made Bridge once again behave.
    Open the Nvidia Control Panel (right click on the 'desktop' to access it).
    Under the '3D Settings' task, select 'Adjust Image Settings with Preview'. This should reveal a window with an image of a slowly spinning, three-dimensional Nvidia logo. (I understand that the Nvidia Control Panel is common to all its cards.)
    Under the spinning logo image there are three options for 3D settings. On my computer, while my Bridge was broken, the "Use my preference emphasizing: Balanced" option was selected. I changed the option to, "Let the 3D application decide" and crikey! - when I restarted Bridge the previews were once again working. (It may be my imagination, but Bridge appears to now be going better than ever.)
    I switched the Nividia preferences a couple of times just to make sure. The change appeared to have done the job.
    NB: I noticed another discussion in the forums entitled "Suddenly No Images in Bridge" which appears to be a similar problem. They resolved it this way;
    "Depress and hold Ctrl-Alt-Shift when you start PS or Bridge. A menu comes up with three options. Check them all."
    I didn't see that fix until I had sorted mine so I haven't tried it... but now that 'it ain't broke', I 'ain't gonna fix it'!
    Hope this helps you or someone else.

  • My ipod connects to my vehicle and displays the song and I can shuffle the songs but no sound comes out.

    My ipod connects to my GMC sierra with the cord and the display comes up on the radio with the song name and I can change the songs but no sound comes out. I have plugged in my daughters Ipod touch and it connects with sound just fine. When I plug headphones into my ipod it works just fine. HELP!!

    my ipod touch has the same problem. I restored it three times, but that can't help.

  • Add a button on the param form and display a list and pass back to param

    10GR2
    Report is saved in RDF
    Requirement is that we create a button on the paramter screen and let user go through a list of first name to select from. The list could be long. same with the las name
    Example
    First Name < text box > < button >
    Last Name < text box > < button >
    Where if you click on this button, I want to show a list that gets populated from the database in some form if possible and then when they select a value, return it to the text field.
    Similar to how LOV works on Oracle forms.
    Unless there is some simpler solution
    Thanks for your response.

    The only way I figured out how to do this was to create the page in iWeb and then manually edit the page in Dreamweaver to add the form. The form them posts to a php page that collects the info and mails it to me.
    Works ok, but it was completely manual.

  • Basic problem in displaying the pdf and images in Application express

    Hi,
    I have oracle 10g and application express.
    I have already stored the images and pdfs using PLSQL in table with following columns
    TableA(vessel number, cruise number, image blob, pdf blob)
    now for every vessel, cruise combination there is a particular image and pdf.
    so in my htmldb page.
    I have created 2 select list for vessel and cruise respectively.
    now on selecting these lists i want to diaplay their corresponding image and pdf.
    How can i do this? I just somehow miss the basic knowledge of how to do this.
    Should i create a html region or a report region for the image and pdf.
    under what region the image and pdf goes. and on sleecting the vessel, cruise can i show hyperlinks and upon selecting the hyperlinks a image and pdf opens in a new window.
    or can i create 2 regions and display the image and pdf right in the region itself.
    Can someone please guid eme please.
    Thanks,
    Philip.

    Hi Philip.
    I suggest switching to the Application Express forum.
    Pretty sure it'll be easier for you to find the answers over there
    Oracle Application Express (APEX)

  • How to get and display current year

    hi,
    how to get and display current year
    and need it to convert numeric format if it is orginally
    in character format.

    Hi,
    chk this FM.
    CALL FUNCTION 'GET_CURRENT_YEAR'
      EXPORTING
        BUKRS         = '1000'     " Company Code
        DATE          = SY-DATUM   " Date to find fiscal year for
      IMPORTING
        CURRM         = w_currm    " Current Fiscal Month
        CURRY         = w_curry    " Current Fiscal Year
        PREVM         = w_prevm    " Previous Fiscal Month
        PREVY         = w_prevy.   " Previous Fiscal Year
    rgds
    anver
    if hlped pls mark points

  • LSMW with IDOC Message type COND_A and Basic type COND_A01

    Hi Sap All.
    in my project we using the LSMW with IDOC Message type COND_A and Basic type COND_A01 and now the requirement is to know the list of the tables which will be updated when i do the LSMW Migration with this IDOC Basic type.
    i have tried to know the list of the tables updated by entering into the transaction we30 and looking at the segments E1KOMG,E1KONH, E1KONP,E1KONM,E1KONW  and i found that the following below are the list of tables which gets updated when i populate the data into IDOC Message type COND_A and Basic type COND_A01.
    KOMG,KONH,KONP,KONM,KONW.
    please correct me if iam wrong.
    regards.
    Varma

    Hi Varma,
    The tables mentioned by you definitely get updated, i guess you can add KONV to the list too, but to be a 100% sure, enable SQL trace and process an IDOC. Then you can look for Insert/Modify/Update statements to get a list of the tables that get updated.
    Regards,
    Chen

  • Entering and Displaying English and chinese

    We are running Oracle 8i on a w2k server and have w2k clients
    configured to enter and view English, Simplified and Traditonal
    Chinese. Oracle is setup with UTF8. We atn to be able to enter
    and display both english and chinese characters simultaneous in
    the forms as we enter data as well as in reports. Everything is
    done in Oracle forms/reports 6. I have tried various nls
    settings but nothing seems to work to provide both entry and
    viewing of the characters as well as providing properly
    formatted reports.
    Jim Liddil

    I also have a customer that is having a similar problem. The
    general issue is that the customer wants to use Win2000 in
    English but within a Forms 6.0 application fill in certain fields
    with Simplified Chinese characters. I think they had difficulty
    getting it to work even if the default is all Chinese, that is
    both the Windows locale default and the NLS settings. We're
    mostly beyond that but the real goal is to allow the user to run
    in English (but with language supplement support available for
    Chinese) then when the user hits the appropriate fields in the
    application he toggles to a Chinese characters to input. So we
    can't seem to find the right combination of NLS settings,
    patches, etc. that would support this.
    At one point we apparently were able to have the application
    accepting the Chinese characters but to do so meant that many of
    the Oracle Forms default menu items, dialogue buttons and
    message bar were displayed in Chinese.
    The simplest explanation: allow to run Forms 6 app in English.
    Allow storing of Chinese characters into fields at the will
    of the user. Database stores characters correctly. Application
    (Forms) echoes characters correctly , not ???? or boxes .
    We need to have a definite answer to the customer within 2 weeks
    meaning we either have a fix now for their current ISO 9000
    certified application based on Forms 6.0 or we know through
    testing that it absolutely will work when we rev. the application
    to Forms 6i. The latter revision of their application is not due
    to ship until mid-2002.
    Any suggestions or referrals are appreciated.

  • Process chain failed at  AND process type ?

    hi all .
    Process chain failed at  AND process type ?
    and it is giving  message      Job cancelled after system exception ERROR_MESSAGE     .
    what is the reason & solution .
    regards ,
    srinivas ,

    Hi,
    That depends on the system behaviour... There is no issue in that... You can repeate the process.. If there is no repeat option available then you can on the detail view.. there is a chance that you will get a repeat option there.. If not then copy the chain.. remove the loaded process and add one starter chain an continue the chain in immediate mode...
    Regards
    Sajid khan

  • Storing and displaying LOB - pdf, images

    Hi,
    I am using Oracel 10g on Linux.
    I need to store pdfs and images and display them using HTMLDB reports and Discoverer reports. the LOBs size vary from 30KB to 1700KB.
    Which will be the best way to store these objects. since the sizes are not that big, i was thinking of storing them directly in the database tables instead of storing them externally.
    and storing internally in the database, will it be better for a quick retrieval and display of the LOB in the reports.
    Can somone guide me and maybe link me to some documents for storing LOB and displaying using HTMLDB and Discoverer.
    Thanks,
    Philip.

    Whether you store the documents in the database or not is totally dependent on your requirements (backup, security, etc). As for performance, you may need to test that for yourself once you have it configured.
    You may want to walk through this How to Upload and Download Files in an Application. It provides detailed instructions for facilitating what you are looking for in Application Express (formerly HTMLDB).

  • With display type native event is not working in my wd application

    Dear Friends,
    I have few interactive forms created webdynpro components.
    in SFP: formtype: ZCI and inserted the webdynpro script in the layout and interface type is DDIC.
    in Webdynpro: taken IF form UI element and with Enable check box checked(ON) and display type is Native.
    when i run my wd application interactive forms is opening but when i click on button on webdynpro or on enter of input field event is not getting trigger. cursor is showing wait icon and in busymode only.
    if i try with display type as activex it is working fine.
    But i don't want to use type as Activex.
    One more thing initially i have created 2 interative forms with those forms with displya type native is working fine, for new forms only the poblem is coming.
    please let me know how to get rid of this.
    Thanks,
    Mahesh.Gattu

    Hi ganesh,
    i hope you have already followed the process what i mentioned in my question.
    above that some times we are facing this busy mode issues, might be.. there coudl be some problem when we insert the webdynpro script.
    on sfp layout from utilities insert the webdynpro script.
    then sheck the script editor by selecting the data node in hierarchy tab.
    make sur the both event *presave and *formload are filled with some in built script and the language is Java script and Client side.
    then save activate the form and try.
    all the best.
    Thanks,
    mahesh.gattu

  • FSG Reports : Row Set Account assignments (Display Type to show Account nar

    I have an FSG related issue. I've defined a report using a basic row set and a column set. In my row set, I've used account assignments and the display type as 'Expand' to my natural account. Is it possible to show the narration of the account in the report instead of the natural account number?
    For example, My report now displays '1401' - which is the natural account number. I want to display its narration which reads 'Revenue'
    Miranga

    Hi Miranga,
    it is possible to display the Account code description .. infact you can display both account code and description ... for which you need to create a ROW ORDER and attach it to your FSG Report ...
    Perform the below steps :
    1) Switch responsibility to General Ledger
    2) Navigate to Reports > Define > Order
    3) Enter a name for the ROW ORDER field
    4) In the Account Display section, enter SEQ as 1, Segment as ACCOUNT, order by as VALUE and DISPLAY as VALUE AND DESCRIPTION and Width as 15 ..
    You can increase/decrease the width based on the how the data is appearing in your report output ...
    5) Save the record ..
    6) Navigate to Reports > Define > Report
    7) Query your report ....
    8) In the optional Components section, click on the Row Order field and select the row order you have configured above from List of values ..
    9) Save the changes made to the report ...
    10) Run the FSG report afresh and see the output ...
    Regards,
    Ivruksha

Maybe you are looking for

  • Performance on intel imac - system almost unusable

    I'm running iPhoto 6.04 on a 2GHz intel imac with 2GB of Ram. When I launch iPhoto -- everything slows unbearably. Even the typing speed in other applications, the finder is unresponsive, applications quit, It takes forever to switch between applicat

  • Interface Sony (Digibeta) DVW-A500 to iMac and final cut pro x

    Hello all, I am looking for a way to import (capture) footage from the DVW -A500 Digibeta deck into an iMac, (OSX mountain lion Final Cut pro x ) with XLR out for two channel audio and component out for the video. I have a Canapous ADVC110 but the pr

  • Broadcasting our church service

    We are purchasing our first Mac for our church, and we broadcast our services through Ustream.  Can anyone tell me what adapter I need to go from the audio/video outs on the camcorder to the Mac? I think I may have posted in the wrong section.  Pleas

  • Adding monitors

    Can i add a 3rd and 4th monitor to an HP Slimline 5000 series using USB to VGA adaptors? This PC cannot be expanded.

  • Duplicate Pictures

    is there a way to delete duplicates in iPhoto?