Need suggestion on LOV's in Designer

Hi All,
In Oracle designer 10g, I have a LOV with certain values.
My Issue is:
I have to add a new LOV in the same Form. This new LOV should be populated according to the values populated in the old LOV.
Example:
In first LOV(old) a department number is selected.
In second LOV(new) the query should be like this:
select dept_name,salary where dept_no = :mod.dept_no;
As i am new to this, please guide me which trigger to use and the ways to populate the values.
Regards,
Gopi

Hi, Gopi
select dept_name,salary where dept_no = :mod.dept_no;you write exact code for your lov. try it. If you don't able to create it, try to first create the lob without condition, then add the condition at record group.
Hope this will help you.
If someone's response is helpful or correct, please mark it accordingly.

Similar Messages

  • Need Suggestion for the Recurrence appointment design

    Hello All, 
    We are planning to design  a feature where doctor can create appointment  with the patients on the recurrence basis like Daily, Weekly,yearly etc. 
    Following features also needs to be present 
    1. User can edit the recurrence appointment and that changes must apply to all 
    2. user can go and change the details for the single appointment 
    We had a discussion  for this and  identified the below schema to store the details..
    TABLE  Appointment                   
    AppointmentID,                         
    DocID, 
    PatientID, 
    FromTime,
    ToTime, 
    IsRecurrence, 
    RecurrenceID
    TABLE RECURRENCE
    SeqID,
    RecurrenceID, 
    FromTIme, 
    ToTime
    So the logic is for each recurrence we will create a entry in table recurrence and will store the details accordingly 
    Let me know if there is any flaw in this or a better design to achieve this .
    Regards,
    Rajesh

    I'd do it something like this...
    These would be my tables...
    CREATE TABLE Appointments (
    AppointmentID INT NOT NULL IDENTITY(1,1) Primary Key,
    DoctorID INT NOT NULL,
    PatientID INT NOT NULL,
    AppointmentTypeID INT NOT NULL,
    StartDateTime DATETIME NOT NULL,
    DurationUnits INT NOT NULL, -- Let's say 15 min blocks...
    Frequency VarChar(10) NOT NULL CHECK (Frequency IN ('Daily','Weekly','Monthly','Quartly','Annually')),
    NumOfOccurrences INT NOT NULL)
    CREATE TABLE Schedules ( AppointmentID INT NOT NULL,
    DoctorID INT NOT NULL,
    PatientID INT NOT NULL,
    BegDateTime DATETIME NOT NULL,
    EndDateTime DATETIME NOT NULL)
    Then I'd create a stored procedure similar to the following (not I didn't code this as a stored proc so that it would be easier to test)
    I've added in-line comments to make it easier to understand...
    IF OBJECT_ID ('tempdb..#TempAppt') IS NOT NULL DROP TABLE #TempAppt
    CREATE TABLE #TempAppt (
    AppointmentID INT NOT NULL Primary Key,
    DoctorID INT NOT NULL,
    PatientID INT NOT NULL,
    AppointmentTypeID INT NOT NULL,
    StartDateTime DATETIME NOT NULL,
    DurationUnits INT NOT NULL, -- Let's say 15 min blocks...
    Frequency VarChar(10) NOT NULL CHECK (Frequency IN ('Daily','Weekly','Monthly','Quartly','Annually')),
    NumOfOccurrences INT NOT NULL)
    IF OBJECT_ID ('tempdb..#TempSched') IS NOT NULL DROP TABLE #TempSched
    CREATE TABLE #TempSched (
    DoctorID INT NOT NULL,
    PatientID INT NOT NULL,
    BegDateTime DATETIME NOT NULL,
    EndDateTime DATETIME NOT NULL)
    IF OBJECT_ID ('tempdb..#edt') IS NOT NULL DROP TABLE #edt
    CREATE TABLE #edt (edt DATETIME)
    -- This is the appointment data that you want to add to the database
    INSERT INTO #TempAppt VALUES (1,5,5,5,'20120703 17:15:00',3,'Weekly',20)
    --Declare the necessary variables andset their values
    DECLARE @aid INT, @did INT, @pid INT, @sdt DATETIME, @f CHAR(2), @du INT, @edt DATETIME, @noc INT, @sql VARCHAR(MAX)
    SELECT TOP 1
    @aid = AppointmentID,
    @did = DoctorID,
    @pid = PatientID,
    @sdt = StartDateTime,
    @du = DurationUnits * 15, -- 15 mins per unit
    @f = CASE
    WHEN Frequency = 'Daily' THEN 'dd'
    WHEN Frequency = 'Weekly' THEN 'wk'
    WHEN Frequency = 'Monthly' THEN 'mm'
    WHEN Frequency = 'Quartly' THEN 'qq'
    WHEN Frequency = 'Annually' THEN 'yy'
    END,
    @noc = NumOfOccurrences
    FROM #TempAppt
    ORDER BY AppointmentID
    -- A little dynamic SQL allows to dynamically create a DATADD function
    SET @sql = 'INSERT INTO #edt VALUES (DATEADD(' +@f + ', ' + CAST(@noc AS VARCHAR(5)) + ', ''' + CONVERT(VARCHAR(30), @sdt, 121)+ '''))'
    EXEC (@sql)
    --select @sql
    SELECT @edt = edt FROM #edt
    UPDATE #edt SET edt = @sdt
    -- Creats a loop that creates the seporate schedule occurances required by the "appointment" data
    WHILE @sdt < @edt
    BEGIN
    INSERT INTO #TempSched VALUES (@did, @pid, @sdt, DATEADD(mi, @du, @sdt))
    SET @sql = 'UPDATE #edt SET edt = (DATEADD(' +@f + ', 1, ''' + CONVERT(VARCHAR(30), (SELECT edt FROM #edt), 121)+ '''))'
    EXEC(@sql)
    SELECT @sdt = edt FROM #edt
    END
    -- Checks to seeis the newly created schedul conflicts with any pre-existing schedules.
    -- If there is a conflict a warning will be displayed and the new data will not be added to the physical tables.
    -- If there is no conflict exists, both the Appointments and Schedules tables will be updated.
    IF EXISTS (
    SELECT 1
    FROM Schedules s
    INNER JOIN #TempSched ts
    ON s.DoctorID = ts.DoctorID
    AND (ts.BegDateTime BETWEEN s.BegDateTime AND s.EndDateTime OR
    ts.EndDateTime BETWEEN s.BegDateTime AND s.EndDateTime))
    BEGIN
    SELECT 'There is a conflict with a pre-existing schedule for the doctor'
    END
    ELSE
    IF EXISTS (
    SELECT 1
    FROM Schedules s
    INNER JOIN #TempSched ts
    ON s.PatientID = ts.PatientID
    AND (ts.BegDateTime BETWEEN s.BegDateTime AND s.EndDateTime OR
    ts.EndDateTime BETWEEN s.BegDateTime AND s.EndDateTime))
    BEGIN
    SELECT 'There is a conflict with a pre-existing schedule for the patient'
    END
    ELSE
    BEGIN
    INSERT INTO Appointments (DoctorID, PatientID, AppointmentTypeID, StartDateTime, DurationUnits, Frequency, NumOfOccurrences)
    SELECT DoctorID, PatientID, AppointmentTypeID, StartDateTime, DurationUnits, Frequency, NumOfOccurances
    FROM #TempAppt
    INSERT INTO Schedules ( AppointmentID, DoctorID, PatientID, BegDateTime, EndDateTime)
    SELECT
    (SELECT MAX(AppointmentID) FROM Appointments WHERE DoctorID = @did AND PatientID = @pid) AS AppointmentID,
    DoctorID, PatientID, BegDateTime, EndDateTime
    FROM #TempSched
    SELECT * FROM Appointments WHERE AppointmentID = @aid
    SELECT * FROM Schedules WHERE AppointmentID = @aid
    END
    Basically it simply takes the appointment info, throws into a temp table, creates a schedule based on that info, validates the schedule based on existing schedules to avoid conflicts.
    If there is a conflict you get a warning. If not the appointment gets added along with the schedule.
    Once the schedule is created it's a simple matter to go in and manually edit individual occurrences.
    If you want to change and entire series, simply delete everything WHERE AppointmentID = ??? AND BegDateTime > CURRENT_TIMESTAMP and create a new appointment.
    HTH,
    Jason
    Jason Long

  • I want to set up the Time Machine and I would love to use the Time  Capsule but since I already have a wireless router I need suggestions on  what other external disks Apple could recommend to use with the Time Machine and  how to configure that disk

    I want to set up the Time Machine and I would love to use the Time
    Capsule but since I already have a wireless router I need suggestions on
    what other
    external disks Apple could recommend to use with the Time Machine and
    how to configure that disk.
    A complication that I need to resolve is the fact that I am using Vmware
    Fusion to be able to use Windows on my Mac. Now it seems that Time
    Machine is not backing up my files
    on that virtual Windows without additional configuration and my question
    is whether you can advise me here or whether this is only a matter for
    the Fusion virtual machine.

    If you want to use Time Capsule you can.. you simply bridge it and plug it into the existing router.. wireless can be either turned off or used to reinforce the existing wireless.. eg use 5ghz in the TC which is much faster than your 2.4ghz.
    You can also use a NAS.. many brands available but the top brands are synology, qnap and netgear readynas  series. These will all do Time Machine backups although how well always depends on Apple sticking to a standard. There are cheaper ones.. I bought a single disk zyxel which was rebadged and sold through my local supermarket. It actually works very well for TM at least on Snow Leopard. Major changes were made in Lion and again ML so do not instantly think it will work on later versions. I haven't tried it yet with those versions.
    Any external drive can be plugged into the mac. Use the one with the fastest connection or cheapest price according to your budget. USB2 drives are cheap and plentiful. But no where near as fast as USB3 or FW800. So just pick whichever suits the ports on your Mac. Interesting Apple finally moved to USB3 on their latest computers.
    TM should exclude the VM partition file.. it is useless backing it up from Mac OS side.. and will slow TM as it needs to backup that partition everyday for no purpose.. TM cannot see the files inside it to backup just the changes.
    You need to backup windows from windows. Use MSbackup to external drive.. if you have pro or ultimate versions you can backup to network drive. But MSbackup is a dog.. at least until the latest version it cannot restore the partition without first loading windows. There are about a zillion backup software versions for windows.. look up reviews and buy one which works for you. I use a free one Macrium Reflect which does full disk backups and is easy to restore.. to do incremental backups though you have to pay for it.

  • Need suggestion for designing a BEx report

    Hi,
    I need suggestions for designing a BEx report.
    Iu2019ve a DSO with below structure:
    1. Functional Location u2013 Key
    2. Maintenance Plan u2013 Key
    3. Maintenance Item u2013 Key
    4. Call # - Key
    5. Cycle u2013 Data Field
    6. Planned Date u2013 Data Field
    7. Completion Date u2013 Data Field
    This DSO contains data like:
    Functional -
    Plan --- Item -
    Call# --- Cycle -
    Planned Dt -
    Completion Dt
    Location
    11177 -
         134 -
         20 -
         1 -
    T1 -
         02-Jan-2011 -
         10-Jan-2011
    11177 -
         134 -
         20 -
         2 -
    T2 -
         15-Feb-2011 -
    11177 -
         134 -
         20 -
         3 -
    T1 -
         15-Mar-2011 -
    11177 -
         134 -
         20 -
         4 -
    M1 -
         30-Mar-2011 -
    25000 -
         170 -
         145 -
         1 -
    T1 -
         19-Jan-2011 -
         19-Jan-2011
    25000 -
         134 -
         145 -
         2 -
    T2 -
         20-Feb-2011 -
         25-Feb-2011
    25000 -
         134 -
         145 -
         3 -
    T1 -
         14-Mar-2011 -
    Now Iu2019ve to create a report which will be executed at the end of every month and should display the list of Functional Locations whose Cycles were planned in that particular month, along with the last completed Cycle/Date.
    Thus based upon above data, if I execute report at the end of (say) March then report must display:
    Functional ---     Curr. Cycle --- Planned Date --- Prev. completed Cycle --- Prev Completed Date
    Location
    11177 -
         T1 -
         15-Mar-2011 -
    ---     T1 -
    --     10-Jan-2011
    11177 -
         M1 -
         30-Mar-2011 -
    ---     T1 -
    --     10-Jan-2011
    25000 -
         T1 -
         14-Mar-2011 -
    ---     T2 -
    --     25-Feb-2011
    Any idea how can I display Previous Completed Cycle and Completion Date (i.e. the last two columns)?
    Regards,
    Vikrant.

    hi vikrant,
    You can a Cube at the reporting layer  which gets data from DSO and which has these 2 extra characteristics completion date and previous cycle along with other chars and keyfigures from DSO.
    You can populate these  based on your logic in the field routine.
    Hope it helps.
    Regards
    Dev

  • Low level Hex disk edit & search util needed- suggestions please?

    low level Hex disk edit & search util needed- suggestions please?
    Maybe It's just late & I've had a bad day.... but I haven't needed a low level Hex disk edit & search utility suitable for an Intel 10.4.x Mac until now and can't seem to locate one.
    There should be plenty of free/shareware options (because they're handy and not particularly hard to write ... and every tech head needs one some time)...
    Any suggestions please?
    [I haven't bothered with the commercial stuff - like tech tool/Norton/*insert name here* Recover/repair, Something Genius etc. etc. because they are all without exception either unnecessary (just pretty shells for the underlying UNIX/X utils) useless AND greedy $-gougers, just useless, or just money gougers so I couldn't even say whether any still have a 'feature' like the old Norton Disk editor app had - but a quick look about suggest not...]
    grumble
    Any specific suggestions/links, please?
    TIA

    they are all without exception either unnecessary (just pretty shells for the underlying UNIX/X utils) useless AND greedy $-gougers, just
    useless, or just money gougers
    Such a high-esteem for fellow human beings - and
    programmers...
    You know, there are some good decent nice people
    behind those names?
    You'd be amazed at how much testing goes into a product.
    [SNIP]
    g'day Hatter...
    Yes, I know there are some good decent nice people behind those names..fellow human beings - and fellow programmers (so yes, I do know...) In previous incarnations I have 'thunk up' and developed, Marketed & supported considerably more complex Apps & systems myself - I even know some of the people you mention personally - and they are usually decent Blokes/women but normally, it isn't the programmers who make the decisions on pricing/features/support/performance/upgrade costs & cycles etc...
    My only error was, I agree, the phrase 'without exception' - but (mainly) only because I haven't bought/tested & used all of them very very recently. So I offer my apologies to those to whom my remarks should not apply (long, late night/early morning frustration...)
    However, I also offer a few simple pertinent examples:
    One 'top name' Utility company had a 'save your Mac HD' product on the market for some time that was almost guaranteed to TRASH it irretrievably but did NOT say so - nor did they help or compensate those they harmed.
    Several are selling what amount to simple, pretty, GUI shells for 'free' or OS-included command line tools - no more, no less but do NOT say so and are asking good money for the 'software'.
    Many are asking ridiculous prices for "regular upgrades" so you can keep their tool current with your Mac OS - one wants US$100/year for it, another, $15 per u/g, others, US$25 or $40 per u/g; one asks 'only' $10 - and these 'upgrades' are happening 3,4,5,6 times per year and are necessary for the Marketing company to keep their product Saleable to new purchasers and new Macs (as well as for important Bug Fixes - and only co-incidentally to keep it performing with your current Mac and OS - which is what you paid them for in the first place).
    I won't pay for a product 3, 6 or 9 times and I won't advise my clients to: It's not unreasonable for a person to expect a 'sensible lifetime/currency' of Product X for Computer Y - say 3 years (e.g. AppleCare). I wouldn't object to paying for an "upgrade" at that point - IF it's worth the money.
    Software is Waaay too expensive in many cases and is simply inviting 'piracy' - from people who have already PAID for the product: sadly, they are killing their own Gooses.
    Seriously, one product costs ca. US$100 to Buy in the first place
    To keep it actually working for you costs about the same again Per Year - a 3 year 'sensible lifetime' or 'currency' cost of US$300 or $400! [That'll buy a lot of 'bare drives' to put in a handy Firewire case for automatic backups in Background, differential backups etc. and other simple practices which render this product type largely unnecessary ].
    For what? A relatively simple set of utilities which would actually cost the company involved less than $5 total each - over 3 years - to make available to existing ( or 'current') owners. [Applecare 'complete' Hardware and Software warranty & support on a US$2000 iMac - which includes Tech Tools Pro Deluxe or somesuch costs about US$165 for 3 years. Total.]
    Having designed, developed, Marketed, supported & maintained more complex Applications to/for a sizeable user-base (in US terms) over multiple complete Series of Product 'life-cycles' - regular Updates and all, I think I know where the pirates are.
    These practices have been rampant in the MSWindows™ market for a longtime. It's a real shame to see it in the Mac world.
    I have all the esteem in the world for those fellow human beings who deserve such - and programmers who are 'good decent nice people'.
    I have none to spare for monopolists, 'exploitationists' or any of those who take unfair/unreasonable advantage of their fellow human beings - AND of programmers who are 'good decent nice people' (like, say, ME... .
    In any event, as I said: they are "killing their Gooses": I know of at least 6 software companies which went this route a while back. All are dead or dying.
    Thank you for your help - and the opportunity to apologise for 'mis-speaking'.
    all the best,
    orig g4 733, many others thru (the luvly) Macintels     New & old Macs, Wintels, MacIntels, other systems...

  • I have a Mac.  I need  suggestions on what program to purchase to create a few PDF files

    I have a Mac.  I need  suggestions on what program to purchase to create a few PDF files

    ~graffiti wrote:
    Why would you say that LiveCycle is the only thing to recommend (but isn't available for Macs) then bring up InDesign?
    If it can't be done by the Mac OS (she hasn't mentioned what she has) then it can be done with Acrobat. She asked about a program to create PDF files. That's pretty much what Acrobat does.
    where is whatI said.
    Being That LiveCycle designer is not availble for Mac. That would be about the only thing to recommend. InDesign Maybe but more pricey.
    The part I've underline refers to Acrobat.  InDesign Maybe but more pricey referes to, Indesign being more expensive than Acrobat.

  • Need Suggestion for Archival of a Table Data

    Hi guys,
    I want to archive one of my large table. the structure of table is as below.
    Daily there will be around 40000 rows inserted into the table.
    Need suggestion for the same. will the partitioning help and on what basis?
    CREATE TABLE IM_JMS_MESSAGES_CLOB_IN
    LOAN_NUMBER VARCHAR2(10 BYTE),
    LOAN_XML CLOB,
    LOAN_UPDATE_DT TIMESTAMP(6),
    JMS_TIMESTAMP TIMESTAMP(6),
    INSERT_DT TIMESTAMP(6)
    TABLESPACE DATA
    PCTUSED 0
    PCTFREE 10
    INITRANS 1
    MAXTRANS 255
    STORAGE (
    INITIAL 1M
    NEXT 1M
    MINEXTENTS 1
    MAXEXTENTS 2147483645
    PCTINCREASE 0
    BUFFER_POOL DEFAULT
    LOGGING
    LOB (LOAN_XML) STORE AS
    ( TABLESPACE DATA
    ENABLE STORAGE IN ROW
    CHUNK 8192
    PCTVERSION 10
    NOCACHE
    STORAGE (
    INITIAL 1M
    NEXT 1M
    MINEXTENTS 1
    MAXEXTENTS 2147483645
    PCTINCREASE 0
    BUFFER_POOL DEFAULT
    NOCACHE
    NOPARALLEL;
    do the needful.
    regards,
    Sandeep

    There will not be any updates /deletes on the table.
    I have created a partitioned table with same struture and i am inserting the records from my original table to this partitioned table where i will maintain data for 6 months.
    After loading the data from original table to archived table i will truncating the original table.
    If my original table is partitioned then what about the restoring of the data??? how will restore the data of last month???

  • Need suggestion on how to do 3D spinning title animation

    Hello all experts,
    I need suggestion on how to do 3D rotating title animation. Let me explain what i wanted to do.
    The end product is the word WELCOME.
    But I want to animate it in such a way that the alphabelt W first appear as nothing from inside the screen to appear in the screen (that means zoom from small to big, is it called zoom out ?). In the process of zooming out, I want the W to have a thickness & it spins very fast along the horizontal X-axis and stops at the screen with the alphbelt W.
    Then the whole process repeat with E, and I have WE. It then repeats with L and I have WEL. This whole thing repeats until it forms the word WELCOME.
    Any suggestions ? Is there an inbuilt preset for this ?
    If not, if I do from scratch, do I need a separate track for each alphabelt ?
    Thank you very much.
    Cheers.

    Nick Holmes wrote:
    You would have to build this one from scratch, but it's pretty easy.
    Work on the whole word first to get the basic movement, then play with the Timing settings in the Inspector. To have the letters do this one after the other use the Sequence setting. Typically you would set it to the number of letters in your word plus 1 -so your welcome should have a Sequence value of 8. You can of course set it to whatever you think looks best.
    Give it a go and let us know how you get on. Don't forget to save your new effect!
    Thanks Holmes but where do I find the Sequence settings ?
    Thanks

  • Need suggestion in getting data using JDBC

    Hi all need suggestion,
         i had a VO corresponding to database table.
         when i am try to get the records from that table,
         how can i initialize the particular column value to the
         corresponding VO setter method.
         please do the needful.

    Hello inform2csr,
    Your question is not so clear.
    Can you be more precise?
    What is VO?

  • Need Suggestion about Solman support & testing E CATT feature

    Hi Solman Experts .
    I need your Strong suggestion. Actually i am working in  ABAP module , I recently joined as a fresher in small company,  I got opportunity to  go Saudi for  "Solman support & testing ,E CATT"  in big MNC . Now i need suggestion , If i go and work there in these areas , If i return to India  will i get Good Job  and Salary here .
    Please suggest me. please it my career issue.

    hi Gafoor,
    I too had this kind of oppurtunity and now i am in abhudabi in crm and solman testing. No problem in this , So you can go to saudi as your wish and the future and scope for the solman is very good. So it s reasonable to go saudi .
    Regards,
    Prabhushankar

  • Need Suggestion​: buy ThinkPad Edge E540 or wait for Edge E550?

    Hello Everyone,
    I need suggestion what to do: buy ThinkPad Edge E54020C6003AGE (i7 4702MQ & GF 740M 2GB) or wait for Edge E550?
    http://www.notebookcheck.net/Review-Lenovo-ThinkPa​d-Edge-E540-20C6003AGE-Notebook.114194.0.html in Germany is price about 830 Euros
    I use ThinkPads in last 10 years for study and gaming (R60, SL510, Edge 520) and wish sell my Edge E520 replace it with new one due stuck with old Radeon 6630M drivers (I cannot use a new AMD drivers when I try I getting mostly BOSD errors and latest Official Lenovo driver is from 2012) second reason is that E520 fan cannot be accessed & cleaned on easy way.
    In which month Lenovo mostly release new Edges, What is your option are Broadwell CPU + GeForce 840/940M in Edges worth to wait?
    In future I try to avoid AMD GPU due poor drivers support.
    I know that there is much better notebooks for gaming but I like ThinkPads

    To support it the model you're buying should be equiped with the :
    Intel® Dual Band Wireless-N 7260
    Intel® Dual Band Wireless-AC 7260 
    Wireless network adapters and core i5/i7 cpu's . But careful, not all E540s come with the intel wireless card
    Just check this and you're good to go.

  • Need suggestion-abap+bi

    Dear gurus,
    I need suggestion before learning new module. I did ABAP and having good experience. Now I want to update my skill please suggest me wat I should learn. I want to upgrade my skill only in technical side. Few of them suggested me BI but dont know how good it will be in US market.
    Any help will be appreciated.
    Regards
    Dave

    Hi Aasim,
    Even the carrer growth in ABAP is very Good.
    IN BW project, there is requirement of ABAPer. So if you are BW+ABAP, you will be getting paid more. Your value would be more.
    Now, making a shift, even you want to change from ABAP to BW, you need to take some training. Because BW abap is a bit different thatn general ABAP.
    The DW experience is not needed very much.but yes, its better to have knowledge in DW.
    I'll suggest you to work for 6 months in ABAP and then take a training in BW. Because its more BW than ABAP in BW.
    Hope you would have got some idea.
    Please revert for any other questions.
    Thanks..
    Shambhu

  • Need suggestion

    hi....i need suggestion on my problem.i've been given a complete atand-alone java application.my assignment is to make the system,a web-based system so that when we want to make a demo we did not need to bring an installer.just show to from the browser.i thought of using java web start.it's just my opinion.so,i want to hear others opinion......
    Tq

    Java Web Start is the solution I would choose. You must bear in mind that a browser is not enough to run Java Web Start - the client PC must have the correct version of the run-time environment (JRE) installed as a minimum - which, I think, is somewhere about a 10-15 megabyte installation.
    The run-time environment for end-users is best/readily installed from the http://www.java.com site. Click the "get it now" button and away you go!
    Alternatively, I think some PCs actually recognise when you've clicked on a JNLP link and automatically check your to see if you have a version of the JRE and download it if necessary - but I'm not 100% sure if this can be relied upon across all platforms/browsers...
    I think you can also program your JNLP file as to where to look for the JRE installer (ie: maybe on your LAN instead of www.java.com), but I haven't researched that one yet.

  • Need suggestion on Multi currency and Unicode character set use in ABAP

    Hi All,
    Need suggestion. In one of the requirement I saw 'multi-currency and Unicode character set experience in FICO'.
    Can you please elaborate me how ABAPers are invlolved in multi currency as I think this is FICO fuctional area.
    And also what is Unicode character set exp.? Please give me some document of you have any.
    Thanks
    Sreedevi
    Moderator message - This isn't the place to prepare for interviews - thread locked
    Edited by: Rob Burbank on Sep 17, 2009 4:45 PM

    Use the default parser.
    By default, WebLogic Server is configured to use the default parser and transformer to parse and transform XML documents. The default parser and transformer are those included in the JDK 5.0.
    The built-in WebLogic Server DOM factory implementation class is com.sun.org.apache.xerces.internal.jaxp.DocumentBuilderFactoryImpl.
    The DocumentBuilderFactory.newInstance method returns the built-in parser.
    DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();

  • Need suggestion whether to use ATM or MPLS in DSL implementation

    Presently i am working in ISP, and we are providing internet access via simple dialup, ISDN and IVS. and now we want to implement DSL i ve talk with few peoples regarding whether to use ATM or MPLS in DSL implementation but because they are solution providers so i think they are giving me expensive solution. as long as i know about this is,whole world is shifting from ATM to MPLS Technology. ATM implementation cost is very high. so i need suggestion from u because you also have practical exposure.

    I believe ATM is soon getting obsolete...

Maybe you are looking for

  • Hi, Is there a way to export the output of a transaction to Memeory .

    Dear All , Here is the question SUBMIT           ws_monitor_outb_del_free                        WITH  it_vkorg = r_vkorg                        WITH  it_vtweg IN svtweg                        WITH  it_spart IN sspart                        WITH  it_

  • Since Win 8.1 update Satellite C855-2HW shuts off

    Greetings, Well, June 2013 I bought my Satellite C855-2HW with Windows 8 as operating system. The notebook worked smooth until in December 2013 I got Windows 8.1 updates. Since then every day (sometimes several times a day) the notebook shuts off, th

  • Can i have both leopard and snow leopard on the same partition?

    I have a MacBook Pro with 10.5. I want to install 10.6 and keep 10.5 on the same drive. The drive has only one partition. What problems might I encounter.

  • No drivers for onboard CMI9880 (Windows 7)

    Hello! I´ve readed the previous posts about this, but none of the proposed solutions worked for me. :-( I´ve tryied the drivers from my OEM manufacturer (MSI motherboard MS-7058), from Intel (chipsets 915P, ICH6 and 82801) and from C-Media ones (CMI9

  • Firefox will not load up on my mac after upgrading to 3.6.8

    I click the firefox icon in the mac system tray, it bounces for a few seconds, but the software does not load.