Big question plz read slowly i need to write a procedure  but getting stuck

please read this slowly........
I have two tables content_attributes and RULES
content_attributes with 3 columns and 9 rows as follows
contentname contentattributes value
logo category diagram
logo class image
apple category fruit-----------------------
apple class red-------------------------
apple entitlement diamond-----------------------
computer class electronics
computer category systems
computer subclass chip
computer entitlement machine
RULES has these 3 rows and 6 columns
rule_id rulename category class entitlement subclass
1 r1 diagram image NULL NULL
2 r2 fruit red diamond NULL
3 r3 systems electronics machine chip
I was asked to write a stored procedure...... on top of RULES table .it receives only one input parameter.They said my input parameter will be contentname (i.e it can be apple or logo or computer ) --
NOTE : you can see contentnames in the first table above
let us suppose if i get apple as the input to my procedure
1)Ii should find what all attributes are there for the apple from the content_attributes table
2) i come to know that category , class and entitlement are the attributes and its corresponding attributes it doesnt have subclass as attribute
3) hence my query should be
select * from rules
where category=fruit
and class =red
and entitlement=diamond
and subclass= NULL(since subclass is not present as attribute for apple it should be NULL but some other contentname may have this attribute value and other attributes null ) such as
now lets run the procedure and give another input 'logo'
if i receive input as logo then my query will be
select * from rules
where category= diagram
and class=image
and entitlement=NULL
and subclass = NULL
(entitlement and subclass are null because for the contentname logo these are not present as attributes in the content_attributes table)
basically to explain in one line what i am doing is
see the input.......... find the attributes in content_attributes table......... then use those attributes to query rules table...... the attributes that you dont find put them as NULL.

You could be lazy and decoded your where clauses...
-- All tables where there are 6 rows
select *
from user_tables
where decode(num_rows, 6, 1, 0) = 1;
-- All tables where rownum is null
select *
from user_tables
where decode(num_rows, null, 1, 0) = 1;OR you could could do it the long way and make your where clause more specific...
WHERE (PARAM = COL_VAL OR (PARAM IS NULL and COL_VAL IS NULL))

Similar Messages

  • Need to check tls/ssl but getting stuck with "You must provide a value expression on the right-hand side of the '-' operator."

    I would like to disable ssl 3 but need to test what sites only support ssl 3. I keep getting stuck with an error that is over my head. I've tried manipulating the string a dozen different ways and keep getting the same error. I am not familiar with -notin
    or how to specify which part of the property its checking: thanks a ton
    http://blog.whatsupduck.net/2014/10/checking-ssl-and-tls-versions-with-powershell.html
    line with issues:
    $ProtocolNames = [System.Security.Authentication.SslProtocols] | gm -static -MemberType Property | where-object{$_.Name -notin @("Default","None") | %{$_.Name}
    You must provide a value expression on the right-hand side of the '-' operator.
    At S:\scripts\test23.ps1:50 char:126
    + $ProtocolNames = [System.Security.Authentication.SslProtocols] | gm -static -MemberType Property | where-object{$_.Name - <<<< noti
    n @("Default","None") | %{$_.Name}
    + CategoryInfo : ParserError: (:) [], ParseException
    + FullyQualifiedErrorId : ExpectedValueExpression
    <#
    .DESCRIPTION
    Outputs the SSL protocols that the client is able to successfully use to connect to a server.
    .NOTES
    Copyright 2014 Chris Duck
    http://blog.whatsupduck.net
    Licensed under the Apache License, Version 2.0 (the "License");
    you may not use this file except in compliance with the License.
    You may obtain a copy of the License at
    http://www.apache.org/licenses/LICENSE-2.0
    Unless required by applicable law or agreed to in writing, software
    distributed under the License is distributed on an "AS IS" BASIS,
    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
    See the License for the specific language governing permissions and
    limitations under the License.
    .PARAMETER ComputerName
    The name of the remote computer to connect to.
    .PARAMETER Port
    The remote port to connect to. The default is 443.
    .EXAMPLE
    Test-SslProtocols -ComputerName "www.google.com"
    ComputerName : www.google.com
    Port : 443
    KeyLength : 2048
    SignatureAlgorithm : rsa-sha1
    Ssl2 : False
    Ssl3 : True
    Tls : True
    Tls11 : True
    Tls12 : True
    #>
    function Test-SslProtocols {
    param(
    [Parameter(Mandatory=$true,ValueFromPipelineByPropertyName=$true,ValueFromPipeline=$true)]
    $ComputerName,
    [Parameter(ValueFromPipelineByPropertyName=$true)]
    [int]$Port = 443
    begin {
    $ProtocolNames = [System.Security.Authentication.SslProtocols] | gm -static -MemberType Property | where-object{$_.Name -notin @("Default","None") | %{$_.Name}
    process {
    $ProtocolStatus = [Ordered]@{}
    $ProtocolStatus.Add("ComputerName", $ComputerName)
    $ProtocolStatus.Add("Port", $Port)
    $ProtocolStatus.Add("KeyLength", $null)
    $ProtocolStatus.Add("SignatureAlgorithm", $null)
    $ProtocolNames | %{
    $ProtocolName = $_
    $Socket = New-Object System.Net.Sockets.Socket([System.Net.Sockets.SocketType]::Stream, [System.Net.Sockets.ProtocolType]::Tcp)
    $Socket.Connect($ComputerName, $Port)
    try {
    $NetStream = New-Object System.Net.Sockets.NetworkStream($Socket, $true)
    $SslStream = New-Object System.Net.Security.SslStream($NetStream, $true)
    $SslStream.AuthenticateAsClient($ComputerName, $null, $ProtocolName, $false )
    $RemoteCertificate = [System.Security.Cryptography.X509Certificates.X509Certificate2]$SslStream.RemoteCertificate
    $ProtocolStatus["KeyLength"] = $RemoteCertificate.PublicKey.Key.KeySize
    $ProtocolStatus["SignatureAlgorithm"] = $RemoteCertificate.PublicKey.Key.SignatureAlgorithm.Split("#")[1]
    $ProtocolStatus.Add($ProtocolName, $true)
    } catch {
    $ProtocolStatus.Add($ProtocolName, $false)
    } finally {
    $SslStream.Close()
    [PSCustomObject]$ProtocolStatus
    Test-SslProtocols -ComputerName "www.google.com"

    V2 version:
    function Test-SslProtocols {
    param(
    [Parameter(
    Mandatory=$true,
    ValueFromPipelineByPropertyName=$true,
    ValueFromPipeline=$true
    )]$ComputerName,
    [Parameter(
    ValueFromPipelineByPropertyName=$true
    )][int]$Port = 443
    begin {
    $protocols=[enum]::GetNames([System.Security.Authentication.SslProtocols])|?{$_ -notmatch 'none|default'}
    process {
    foreach($protocol in $protocols){
    $ProtocolStatus = @{
    ComputerName=$ComputerName
    Port=$Port
    KeyLength=$null
    SignatureAlgorithm=$null
    Protocol=$protocol
    Active=$false
    $Socket = New-Object System.Net.Sockets.Socket('Internetwork','Stream', 'Tcp')
    $Socket.Connect($ComputerName, $Port)
    try {
    $NetStream = New-Object System.Net.Sockets.NetworkStream($Socket, $true)
    $SslStream = New-Object System.Net.Security.SslStream($NetStream, $true)
    $SslStream.AuthenticateAsClient($ComputerName, $null, $protocol, $false )
    $RemoteCertificate = [System.Security.Cryptography.X509Certificates.X509Certificate2]$SslStream.RemoteCertificate
    $protocolstatus.Active=$true
    $ProtocolStatus.KeyLength = $RemoteCertificate.PublicKey.Key.KeySize
    $ProtocolStatus.SignatureAlgorithm = $RemoteCertificate.PublicKey.Key.SignatureAlgorithm.Split("#")[1]
    catch {
    Write-Host 'Failed'
    finally {
    New-Object PsObject -Property $ProtocolStatus
    $SslStream.Close()
    Test-SslProtocols -ComputerName www.google.com
    ¯\_(ツ)_/¯

  • HT1414 I never synched my iPad to a computer, and I forgot my passcode and am now locked out.  I read that I need to do a restore, but will lose all my files.  Is there any way to get into my iPad but NOT lose my photos and files?

    I forget my passcode, and got locked out of my iPad.  I never synched, so my files aren't backed up.  I read that I need to restore, but will lose everything.  Is there any other way to not lose my photos and files on my computer?

    If you cannot remember the passcode, you will need to restore your device using the computer with which you last synced it. This allows you to reset your passcode and resync the data from the device (or restore from a backup).
    If you restore on a different computer that was never synced with the device, you will be able to unlock the device for use and remove the passcode, but your data will not be present.
    You may have to force iPad/iPod into Recovery Mode
    http://support.apple.com/kb/ht4097

  • Need to write a procedure for Log files (scheduled jobs)

    Hi,
    We have around 50 scheduled jobs.Jobs will run parallelly. In these jobs, some jobs will repeat at different timings.in these some jobs are daily jobs and some are weekly and some are monthly and some will run first and second working day of the month and some will run on some particular days.
    Now I want to write a procedure like, For every job it should create a log file like "
    <Job_Name> started on <Date> at <start_Time(timestamp)> and completed on <Date> at <End_Time(Timestamp)> successfully.
    <Job_Name> started on <Date> at <start_Time(timestamp)> and completed on <Date> at <End_Time(Timestamp)> abnormally.
    If all jobs complted successfully it should send an email to the mailgroup with attached log file (which contains the details of all the jobs) with format as follows.
    Jobname Start_date Start_time End_Date End_Time Status
    SALES 21-May-2011 12:00:00 21-May-2011 12:01:00 Completed Successfully
    21-May-2011 12:15:00 21-May-2011 12:16:00 Completed successfully
    Proudcts 21-May-2011 23:00:00 21-May-2011 23:16:00 Completed successfully
    ITEMS 21-May-2011 23:00:00 21-May-2011 23:16:00 Completed successfully
    If the status ="Completed abnormally" for any particular job
    immediately it should send an mail to the group like " FATAL_MESG_JOBANAME_Date_Time(timestamp)"
    for example if SALES job was failed at 15:00:00 then immediately it should send a mail.
    if ITEMS got failed then it should mail ( in between any job got failed it should send an email).
    if every thing is going cool then need send a final success mail to the group.
    so Please let me know how to write a program for this requiremnt.
    Thanks in advance.

    832581 wrote:
    Hi,
    Thanks for giving valuable link to gain the knowledge on DBMS_SCHEDULER.
    But here I didn't get clear idea to write a program which I need to schedule the job for every 1hr.
    Please suggest me to write the program..
    ThanksYou'll have to read the link i sent. Or google for an example.

  • Desperate user need help. My GPIB instrument get stuck with my labview program frequently

    Hello to all labview users,
    i am a beginner in using labview. I am currently writting a labview program to automatically control a digital control rotator HD201e and a network analyzer 8720a to work with the anechoic chamber. The program receives an initial position, amount of increment and # of steps. My program will then ask the controller to rotate to the initial position and at the meantime, the program will monitor the position of the rotator to ensure the requested position is reached. After that, at the position, the program will ask the NA to perform a reading of the measurement. Once the reading is done, the program will ask the controller to rotate to the next position and does a reading of the measurement and so on.
    My program seems to be able to perform the tasks; however, the dig.controller part seems to get stuck around 50% of the time when running the program. Sometimes, even the controller receives the requested position (can be seen from the lcd screen of the controller), the rotator just simply would not rotate; also, sometimes, the controller just simply does not respond when sending the command of moving a position, as in the debug mode (the one with a lightbulb), i see that i got "ok" on all the blocks in the writing portion ofthe program, but the controller just doesnt seem to receive the position (as seen no new position received from the lcd screen) and the cursor on the lcd screen blinks weirdly, due to that problem, my program will then get stuck in an infinite loop.....
    Usually, that problem occurs after few positions have been reached.....
    so, when that happens, i have to stop my program and re-run it. that means the program will have to re-do the measurement that were read previously....
    sometimes i have to stop and re-run my program several times to get all the measurement of all the positions done.....so...that bug renders that program to be an unefficient program.
    I have been trying to resolve that bug for weeks...but no success....i have tried to put some wait time between each block....result is not much different...
    I have also tried putting "clear" block before and after the "write" block.....same problem.....
    I have heard that the serial GPIB "flush" block may help...but i tried..but it seems the controller doesnt recognize/accept flush....
    i have also tried using the "Visa open" and "Visa close" block to see if ithat reduces the stucking thing....but seems that the controller can still get stuck....
    i have also even tried using "lock asyn" and "unlock asyn" block...but didnt seem to work....
    Has anyone experienced such problem.? Is it a known problem with some gpib instrument?
    Is there any discrepancy or bugs in my program that i am unaware of that causes this problem?
    Any advice and or opinion would be greatly appreciated....
    PS: i attached the controller part of my program and the overall program
    desperate happyguy......
    Happy guy
    ~ currently final year undergraduate in Electrical Engr. Graduating soon! Yes!
    ~ currently looking for jobs : any position related to engineering, labview, programming, tech support would be great.
    ~ humber learner of LabVIEW lvl: beginner-intermediate
    Attachments:
    HD201_Controld.jpg ‏231 KB
    AChamber_Measurements_v1d.jpg ‏857 KB
    AChamber_Measurements_v1d3.jpg ‏463 KB

    hi xseadog
    i got what you meant about the gpib reference
    actually, that final frame works because the gpib reference is already done inside that subvi.
    but my problem doesnt arise from that. most of the time ive seen, it arises between the writing frame and the while loop frame. as i mentionned, sometimes. the controller just simply doesnt rotate even i can see the requested position display on the controller lcd screen; also sometimes, just the controller is stuck without acknowledging the write position command. but in labview...while in debug mode. it is shown ok on the block.
    Happy guy
    ~ currently final year undergraduate in Electrical Engr. Graduating soon! Yes!
    ~ currently looking for jobs : any position related to engineering, labview, programming, tech support would be great.
    ~ humber learner of LabVIEW lvl: beginner-intermediate
    Attachments:
    HD-201 RPosd.jpg ‏39 KB

  • Reading item text of sales order using READ_TEXT but getting error

    Hi Experts,
    I want to read the Billing item text which is processed through from delivery.
    For that I am using FM  READ_TEXT, but getting error.
    Text 0090014392 ID 0001 language EN not found
    I am providing data in FM...
    ID : 0001
    LANGUAGE : E
    NAME : 0090014392 (Billing Document Number)
    OBJECT : VBBP
    but still I am getting the error...
    Can anyone provide solution?
    Regards,
    SURYA
    Edited by: suryabasu on Mar 10, 2011 5:49 AM

    hii
    try with this,
    select single tdtxtlines
                   from stxh
                   into v_textline
                   where tdid = '0001'
                   and   tdname = wa_tname-name
                   and   tdobject = 'VBBP'.
    if v_textline ne 0.
    call function 'READ_TEXT'
       exporting
         id                            = '0001'
         language                      = sy-langu
         name                          = wa_tname-name
         object                        = 'VBBP'
       tables
         lines                         = it_tline
      exceptions
        id                            = 1
        language                      = 2
        name                          = 3
        not_found                     = 4
        object                        = 5
        reference_check               = 6
        wrong_access_to_archive       = 7
        others                        = 8.
    endif.
    read table it_tline into wa_tline index 1.
    regards,
    Sri.

  • Lengthy question please read slowly ..

    hi i have the following 9 fields
    subscription_id,created_on,created_by,status, balance_threshold,account_type,balancecondition , interim_payment, final_payment
    scenario is :
    1)i am subscribing to receive an alert to my mail..
    2) I have a drop down to select alert criteria like: balance criteria
    payment criteria
    3)assuming that i have selected balance criteria .. then i fill only balance related fields i.e balance_threshod amount, account_type,balance condition
    the payments fields will be null coz i have selected balance criteria ...
    Now coming to tables:
    i have subscription , balance, payment tables
    subscription to balance are having 1-1 relation
    subscription to payments are having 1-1 relation
    balance or payment table can be populated only if there is a subscription.
    Now my question is that.........when i am creating separate tables..... for payment and balance should i introduce a new primary key called balance_id and payment_id
    or
    include subscription_id as the foreign key to both the tables..
    please suggest hope i am clear if not plz let me know
    regards
    raj

    user10887630 wrote:
    hi i have the following 9 fields
    subscription_id,created_on,created_by,status, balance_threshold,account_type,balancecondition , interim_payment, final_payment
    scenario is :
    1)i am subscribing to receive an alert to my mail..
    2) I have a drop down to select alert criteria like: balance criteria
    payment criteria
    3)assuming that i have selected balance criteria .. then i fill only balance related fields i.e balance_threshod amount, account_type,balance condition
    the payments fields will be null coz i have selected balance criteria ...
    Now coming to tables:
    i have subscription , balance, payment tables
    subscription to balance are having 1-1 relation
    subscription to payments are having 1-1 relation
    balance or payment table can be populated only if there is a subscription.
    Now my question is that.........when i am creating separate tables..... for payment and balance should i introduce a new primary key called balance_id and payment_id
    or
    include subscription_id as the foreign key to both the tables..
    please suggest hope i am clear if not plz let me know
    regards
    rajThe child tables should have their own primary key. They should also have a foreign key that references the parent table.

  • Help need for PL/SQL procedure

    Hi guys,
    I have scenario like this
    Schema     T     LOGTABLENAME          TDIRECTORY
    DEV          DEV.ABC_LOG                    import-abc
    DEV          DEV.GBTSLOG          import-gbts
    DEV          DEV.CLSSBOG     import-cls
    QA          QA.TransactionlOG          import-transaction
    QA1 QA1.tlog import-ess
    QA2 QA2.translog import-trnals
    I have to write a procedure to get the log table data from schema Dev.I have to take Shcema dev and go to DEv.abc_log table and get the record from the dev.abc_logtable. The same way for other schema also with respective logtables .
    I would appreciate your help or suggestions.
    Reards,
    User
    Edited by: user1758353 on Dec 5, 2008 11:43 AM

    hello,
    im also not sure if i get the point but maybe you need sth. like that...
    create table schema_logtable as
    select 'dev' schema, 'dev.abc_log' tlogtable, 'import-abc' tdirectory from dual union all
    select 'dev', 'dev.gbtslog', 'import-gpts' from dual union all
    select 'dev', 'dev.clssbog', 'import-cls' from dual );
    declare
       v_slt_row schema_logtable%rowtype;
       type log_description_table is table of varchar2(1000char);
       v_log_description log_description_table := log_description_table();
    begin
       for v_slt_row in ( select * from schema_logtable )
       loop
          execute immediate 'select log_description from ' || v_slt_row.tlogtable bulk collect into v_log_description;
          for i in v_log_description.first .. v_log_description.last
          loop
             dbms_output.put_Line( 'log_desc: ' || v_log_description(i) );
          end loop;
       end loop;
    end;
    /this reads for every schema in table schema_logtable the name of the logtable.
    for each logtable you fetch all rows of that table into a variable and you can do what-ever you want with that...
    -mario

  • The Big question...

    I am currently running windows XP, using a 20” Phillips flat screen as my monitor. I have no issues what so ever with this monitor using XP. I am running from the VGA out on my laptop (company PC, IBM) straight into my monitor. TV DVI is type DVI-I.
    I want a Mac Mini!!! So… The big question is.. Will I be able to use this monitor? As stated above, I have no issues with XP. The Mini comes with a mini DVI to VGA adapter. Shouldn’t I be able to plug right into this adapter and go using the cable I already have?
    Thanks much!
      Mac OS X (10.4.9)  

    Welcome to Apple Discussions!
    Indeed, given the presence of a VGA connector on the monitor and the DVI/VGA supplied with the mini, you should be able to plug the two things together and have them work with no problem. Unfortunately, without knowing the exact model of screen and there being someone posting here that has tried the same combination, it's impossible to tell you with absolute certainty that it will work - very high probability, but not certainty.
    How readily the combination works depends to a great extent on whether the display outputs a standard signal which identifies it and the settings it requires, such that the mini can detect it. If it does, it'll work and offer you a range of suitable and compatible settings. If it doesn't, you may need to use a third-party utility such as SwitchResX - which isn't easy but many have used with success.
    If the display also has DVI input, that's another option too of course.

  • How big a Time Capsule do i need, I'm totally new to Mac!

    Hi, how big a Time Capsule do I need in order for it to work as my backup? Let say if I bought an Imac with 2 TB HDD + 256 GB SSD and with that, bought a 2 TB Time Capsule for backup, would that be enough or would I need to buy a 3 TB Time Capsule? Thanx!

    But if I buy the Imac I wrote about in my previous question (2 TB HDD + 256 GB SSD), would I then need to buy two, 2TB Time capsuls,
    If you plan to fill up most of  the space on the iMac right from the start, then you might need more space. Few users ever use more than about 75-80% of the space on their computers. I was figuring you would fill up about 75% of the drive....around 1.5 TB or so.  3 TB backup would be about right.
    If I buy 1 TB HDD + 256 GB SSD, then 2 TB Time Capsule will be enough, right?
    Correct.

  • BIG QUESTION Q MARK from Quick Time

    Hi, I need some help. I get the question mark in the QT logo. I tried everything posted before.
    I tried the System Folder.
    I tried the QT preference.
    I 'unmarked' the flash thingy.
    I installed the Flash 9.
    I used the Disk Utilities.
    I got the Preference Treatment.
    And still get the big question Mark in the QT logo.
    What other solution do you have?
    Thank you.
    Memo Uribe

    Peacekeeper227, To Apple Discussions.
    Which browser & version are you using?
    Quit QuickTime.
    Open User (Home)/Library/Preferences and delete any .plist file with QuickTime in its name. Don't worry as a new one will be created.
    Open System Preferences/QuickTime and see if the window and tabs work as they should.
    The following post should be helpful also: http://discussions.apple.com/thread.jspa?threadID=779076&tstart=0
    ===================
    If you are using Safari then I suggest that you check out Safari 2.0 Help Webpages aren't working (indicated by boxes with question marks)
    Good luck!
    P.S. Thank you for listing your troubleshooting solutions. It was very helpful.

  • BIG QUESTION-MARK ERROR on quicktime

    Re: My Quicktime does not play any more. It gives a BIG QUESTION MARK at the middle of the screen with no error message at all...I have a new computer with Windows XP. Since I downloaded the new version of Quicktime 7, the free download one, this problem started. It was fine previously.
    Any suggetion for remedy
    Thank you
      Windows XP  

    I found the response as below but where do you find "QuickTime Control Panel" as per the below response and "Browser" option. I looked around.its not in the QT menu... If this process does not work where do you find "free Flash Player ". Please assist.
    Thanks
    It's not a QuickTime problem or issue.
    You need to install Flash Player to view Flash Video formats. Once you've installed the free Flash Player restart your browser and try the pages again.
    If they still show a Q with a ? mark in it you'll need to open the QuickTime Control Panel and click the "Browser" tab. Click the MIME Settings button at the bottom of that window.
    Remove the check mark under "Miscellaneous" that says Flash Media.
    Quit and restart your browser.

  • Big Question on JSP

    hello jsp coders...i have a big question for you all it goes as follows.
    I have been developing e-commerce/web solutions using the java programming language through applets..that perform high end client/server..e-commerce solutions, and there has not been any problems encountered so far.
    Now the java J2EE platform has a lot of resources for web developers..e.t.c..one of which is the JSP or JavaServer pages and Servlets..now having gone through these latest technologies..i want to ask java/jsp gurus..whether there is a gain in moving to jsp from java applets...what benefits/advantages would one benefit from such migration...plus all the additionalities...and also any sun resource/technical documentation/tutorial/books that specifies more on jsp.
    I would really appreciate it.
    Thanks in advance.

    When you move from a client/server system design to an intranet/web-based design sans-applets, you get these benefits:
    1. No software to load on the client computers!!!
    2. Users can access their applications from any computer.
    3. The user should/might/could see a speed increase.
    These 3 reasons, above all others, was why we decided to remove applets from all of our web pages.
    The downside is that you are stuck with using only html input fields, list boxes, etc. No more fancy JTables. You will also need to get jiggy with JavaScript.
    P.

  • BIG Question regarding INIT Loads..I am scratching my head for past 2 days

    Hello All,
    I have one big question regarding the INIT load. Let me explain you my question with an example:
    I have a datasource say 2LIS_02_ITM for which I ran the setup tables on JAN 2008. The setup table is filled with say 10,000 records. After that we are running Delta loads everyday till today (almost 30,000 records). Everything is going fine.
    Imagine I lost a delta (delta failed and did'nt I do a repeat delta for 3 days, by then next delta came), Hence I am planning to do a Init load again without deleting / filling the setup tables. Now my question is :
    1) Will I get the 10,000 records which got filled initially in the setup tables or will I get 40,000 records (that 10,000  + 30,000 records)
    2) If it bring 40,000 how is that possible as I hav'nt filled the setup tables?
    3) Is it each time I need to fill the setup tables to start the Init load.
    Waiting for your guidance.........

    Yes...to answer your question
    But...agin I will suggest not to go by that method. Only one delta had failed so why do you want to wipe away the timestamp of the last init just becasue of 1 delta failure? it is possible to correct it
    First of all  i hope you have stopped the process chain or put a hold to Delta jobs
    Now, To answer your doubt, about the status red ..See you mark the status red in each of the the data target before delting the failed request from there (I usually do not just delete the requests frm data targets - I mark them red and then delte it to be safe).
    Do not forget to delete subsequent requests afterthe failed delta (agin I always mark them red  before doing so)
    Regarding the actual reuest itself...you need not mark it red in the monitor..You have got to correct this request and successful - it will automatically turn green.
    If after successfully correcting the request, it still does not turn green, you can set qm status green. The next delta will recognize this a successful request and bring in the next delta (this happens in cases where you have the infopackage in a process chian when it shows green because subsequent processes were not completed etc).
    Let me know in case you have any questions.

  • How can I add a new Template to My Templates in Pages? I've read most of the discussions on the subject but it doesn't work for me. By the time I reach the Templates folder, I only see templates for Numbers and not for Pages. Need help, please.  Thanks

    How can I add a new Template to My Templates in Pages? I've read most of the discussions on the subject but it doesn't work for me. By the time I reach the Templates folder, I only see templates for Numbers and not for Pages. Need help, please.  Thanks

    Si vous avez utilisé la commande Save As Template depuis Pages, il y a forcément un dossier
    iWork > Pages
    contenant Templates > My Templates
    comme il y a un dossier
    iWork > Numbers
    contenant Templates > My Templates
    Depuis le Finder, tapez cmd + f
    puis configurez la recherche comme sur cette recopie d'écran.
    puis lancez la recherche.
    Ainsi, vous allez trouver vos modèles personnalisés dans leur dossier.
    Chez moi, il y en a une kyrielle en dehors des dossiers standards parce que je renomme wxcvb.template quasiment tous mes documents Pages et wxcvb.nmbtemplate à peu près tous mes documents Numbers.
    Ainsi, quand je travaille sur un document, je ne suis pas ralenti par Autosave.
    Désolé mais je ne répondrai plus avant demain.
    Pour moi il est temps de dormir.
    Yvan KOENIG (VALLAURIS, France)  mercredi 23 janvier 2011 22:39:28
    iMac 21”5, i7, 2.8 GHz, 4 Gbytes, 1 Tbytes, mac OS X 10.6.8 and 10.7.2
    My iDisk is : <http://public.me.com/koenigyvan>
    Please : Search for questions similar to your own before submitting them to the community

Maybe you are looking for

  • Portal forms connecting to each other in tabbed page

    Well, here's a challenge...for me anyway. If the forms are created and they are published as portlets and in the tabbed page, is there a way to get the user to fill out 1 form and be passed automatically to the next? I haven't done this before, but a

  • My plug-in is up to date, but says it is out of date. How do I fix this?

    I have Adobe Shockwave for Director, Version 11.5.9.620, but it says its out of date.

  • Planning book connected to Selection ID

    Hi, Is there a standard transaction or table to know the planning book connected to a selection ID? The requirement here is...i need to change a selection ID, but not sure about the planning book!!! Any ideas??

  • Sharpening and noise reduction

    This question was posted in response to the following article: http://help.adobe.com/en_US/lightroom/using/WS67a9e0c3a11b149632d4213d12864349b1a-8000.htm l

  • Nested Kmat; Period-end closing

    Hello, In PP we are using Nested Kmat in a Material variant (fert): Fert (material variant) ---Kmat as a bom sub-assembly) Kmat Halb... and during variance calculation for a kmat sub-order in period end closing (KKS2) I'm getting an error message: No