How to avoid "Already bound". A basic question.

Hi
In my company are we relatively newcomers to EJB's and have seen a problem with having multiple EAR-projects containing the same EJB's.
The problem we've seen is that when deploying these EAR-projects to WebSphere. The first EAR-project beeing started by WebSphere has it's EJB's (via the JNDI names) bound "globally" by WebSphere.
The other EAR-projects then get at "Already bound" message when starting.
The EJB's and the services invoking them all run on the same WebSphere.
Thinking about it' this seems logically enough, but then we wonder how to manage this - should we have an "EJB-holder-EAR" project ?? which then is the only EAR-project containing the EJB's.
Then the Web-applications and Web-Services projects (which invokes the EJBs') should not contain the EJB's - but how do one deal with this in our IDE (which is IBM WSAD 5.0) ?
I know this might be basic to someone, but it's not basic when you don't know the answer smile
Hope someone will reply.
Torsten

Hi tbk49,
This is more of an administrative and team policy decision than a technical one. Global JNDI names are one example of a case where there's a global namespace and many entities sharing that namespace. You'll have to arrange that all projects deploying to the same application server instance choose names that don't clash with one another. Often it's best to arrive at a naming convention that enforces this.
Kenneth Saks
J2EE SDK Team
SUN Microsystems

Similar Messages

  • HT1311 I know this is a basic question, however, how do i change my pass word on itunes to stop my kids from automatically buying tunes from the I store... as my card details are already saved they just log in with their ipods and download via my account

    I know this is a basic question, however, how do i change my pass word on itunes to stop my kids from automatically buying tunes from the I store... as my card details are already saved they just log in with their ipods and download via my account

    http://support.apple.com/kb/HE36
    Regards.

  • How to avoid  specified is out of bounds error in flex 4 mxml web application

    how to avoid  specified is out of bounds error in flex 4 mxml web application
    hi raghs,
    i  want to add records in cloud.bt while adding the records if we enter  existing record details and try to save again na it wont allow to that  record.
    that time the alert box  should show this msg "This record is already existing record in cloud database.
    ex:  one company name called mobile. i am adding a employee name called raja  now i save this record,its data saved in     cloud DTO
      again try to add same employee name raja under the same compny means it should through error.
    I am give my code here please if any suggession tel.
    CODE:
    private function saveRecord():void
                refreshRecords();
                model.employeeDetailsReq=new EMPLOYEEDETAILS_DTO();
                    var lengthindex:uint=model.employeeDetailsReqRecordsList.length;
                    var i:int;
                    for (i = 0; i < lengthindex; i++)
                    if((model.employeeDetailsReqRecordsList.getItemAt(lengthindex).employ ee name==customerdet.selectedItem.employeename)&&
                          (model.employeeDetailsReqRecordsList.getItemAt(lengthindex).employeeN    umber==customerdet.selectedItem.employeeID)){
                        Alert.show("you cannot Add Same CustomerName and Invoiceno again");
    (when this line come the error through like this: Index '8' specified is out of bounds.
    else
    var dp:Object=employeedet.dataProvider;           
    var cursor:IViewCursor=dp.createCursor();
    var employeename:String = employeename.text;
             model.employeeDetailsReq.employename = employeename;
    model.employeeDetailsReq.employeeNumber=cursor.current.employeeID;
    var sendRecordToLocID:QuickBaseEventStoreRecord = new
                        QuickBaseEventStoreRecord(model.employeeDetailsReq, new
                            KingussieEventCallBack(refreshList))
                    sendRecordToLocID.dispatch();
    <mx:Button   id="btnAdd" x="33" y="419" enabled="false" label="Add" width="65"   fontFamily="Georgia" fontSize="12" click="saveRecord()"/>
    employeename and employeeID are datafields of datagrid. datagrid id=customerdet
    employeeDetailsReqRecordsList---recordlist of save records
    Thanks,
    B.venkatesan

    I do not know for sure as to how to do this, but I found this on Adobe Cookbook
    http://cookbooks.adobe.com/post_Import_Export_data_in_out_of_a_Datagrid_in_Flex-17223.html
    http://code.google.com/p/as3xls/
    http://stackoverflow.com/questions/1660172/how-to-export-a-datagrid-to-excel-file-in-flex
    http://wiredwizard.blogspot.com/2009/04/nice-flex-export-to-excel-actionscript.html
    This has a demo that works
    http://code.google.com/p/flexspreadsheet/

  • Some basic questions how to handle Exceptions with good style

    Ok I have two really basic Exception questions at once:
    1. Until now I always threw all exceptions back all the way to my main method and it always worked well for me but now I am sitting at a big project where this method would explode the programm with throwings of very many exceptions in very many methods. So I would like to know if there is a more elegant solution.
    2. What do I do with exceptions that will never occur?
    Lets say I have a method like this:
    void main() {calculate();}
    void calculate()
    sum(3,5);
    void sum(int a,int b)
    MathematicsA.initialise("SUM"); // throws AlgorithmNotFoundException, will never occur but has to be handled
    }So what is the most elegant way?:
    h4. 1. Ignore because it will not happen
    void sum(int a,int b)
    try {MathematicsA.initialise("SUM");}
    catch(AlgorithmNotFoundException) {}
    }h4. 2. Print stacktrace and exit
    void sum(int a,int b)
    try {MathematicsA.initialise("SUM");}
    catch(AlgorithmNotFoundException e)
    e.printStackTrace();
    System.exit();
    }h4. 3. throw it everywhere
    void main() throws AlgorithmNotFoundException, throws ThousandsOfOtherExceptions  {}
    void calculate()  throws AlgorithmNotFoundException, throws HundretsOfOtherExceptions
    sum(3,5);
    void sum(int a,int b) throws AlgorithmNotFoundException
    MathematicsA.initialise("SUM");
    }h4. 4. Create special exceptions for every stage
    void main() throws MainParametersWrongException
    try {calculate();}
    catch(Exception e)
      throw new MainParametersWrongException();
    void calculate()  throws SumInternalErrorException
    try {sum(3,5);}
    catch (SumInternalErrorException)    {throw new CalculateException();}
    void sum(int a,int b) throws SumInternalErrorException
    try
    MathematicsA.initialise("SUM");
    } catch (AlgorithmNotFoundException e) {
    throw new SumInternalErrorException();
    }P.S.: Another problem for me is when a method called in a constructor causes an Exception. I don't want to do try/catch everytime I instantiate an object..
    Example:
    public class MySummation()
         Mathematics mathematics;
         public MySummation()
                 mathematics.initialise("SUM"); // throws AlgorithmNotFoundException
         void sum(int x,int y)
              return mathematics.doIt(x,y);
    }(sorry for editing all the time, I was not really sure what I really wanted to ask until i realised that I had in fact 2 questions at the same time, and still it is hard to explain what I really want to say with it but now the post is relatively final and I will only add small things)
    Edited by: kirdie on Jul 7, 2008 2:21 AM
    Edited by: kirdie on Jul 7, 2008 2:25 AM
    Edited by: kirdie on Jul 7, 2008 2:33 AM
    Edited by: kirdie on Jul 7, 2008 2:34 AM

    sphinks wrote:
    I`m not a guru, but give my point of view. First of all, the first way is rude. You shouldn`t use try with empty catch. "rude" isn't the word I'd use to describe it. Think about what happens if an exception is thrown. How will you know? Your app fails, and you have NO indication as to why. "stupid" or "suicidal" are better descriptions.
    Then for the second way, I`ll reccomend for you use not printStackTrace(); , but use special method for it:
    public void outputError (Exception e) {
    e.printStackTrace();
    }It`ll be better just because if in future you`d like to output error message instead of stack of print it on GUI, you`ll need change only one method, but not all 'try' 'catch' statements for changing e.printStackTrace(); with the call of new output method.I disagree with this. Far be it from me to argue against the DRY principle, but I wouldn't code it this way.
    I would not recommend exiting from a catch block like that. It's not a strategy for recovery. Just throw the exception.
    Then, the third way also good, but I suppose you should use throws only if the caller method should know that called method have a problem (for example, when you read parametrs from gui, so if params are inccorect, main method of programm should know about it and for example show alert window)."throw it everywhere"? No, throw it until you get to an appropriate handler.
    If you're writing layered applications - and you should be - you want to identify the layer that will handle the exception. For example, if I'm writing a web app with a view layer, a service layer, and a persistence layer, and there's a problem in the persistence tier, I'd let the service layer know what the persistence exception was. The service layer might translate that into some other exception with some business meaning. The view layer would translate the business exception into something that would be actionable by the user.
    And in all other cases I suppose you should use the fourth way. So I suppose it`s better to combine 2,3,4 ways as I have mentioned above.I don't know that I'd recommend special exceptions for every layer. I'd reuse existing classes where I could (e.g., IllegalArgumentException)
    Sorry, I can give you advice how to avoid problem with try-catch in constructor. :-(You shouldn't catch anything that you can't handle. If an exception occurs in a constructor that will compromise the object you're trying to create, by all means just throw the exception. No try/catch needed.
    You sound like you're looking for a single cookie cutter approach. I'd recommend thinking instead.
    %

  • Basic question, how to create rtf template with a given xml file

    Hello guys
    I am new to BI publisher and I am learning how to create rtf templates using given xml fiel definitions by following the bi publisher guide
    The steps I am following is:
    1, create template using template builders, which is downloaded into MS words.
    2, In the empty template, map the xml columns with template field using BI publisher tag
    3, upload the template to BI Publisher as a layout.
    That's all I can understand.
    My question is:
    1,in which above step do I import XML file into template builder (if not bi publisher), how to do so?
    2,After template is created, how to associate this template layout with existing reports in BI Publisher, or is it necessary at all?
    3,In the template content in MS Word template builder, what should I enter other than BI publisher tags for mapping XML field to desired template field
    Or, if my understand of this process is entirely wrong, what's the right process of creating rtf template with a given XML file definition
    Thanks

    If you have a BI Publisher desktop installed, have a look a the demos,.. should answer most of your basic questions.
    (Windows) Start->Programs->Oracle BI Publisher Desktop->Demos
    Invoice Demo - good one for those with E-Business Suite
    Report Demo - Sample using BI Publisher

  • Hello, this might be a basic question, but how do you open QuickTime to record a new webinar? I have a new MacBook Pro with Yosemite and can only get QuickTime to appear in Finder but not actually open to allow me to record something new. Thx.

    Hello, this might be a basic question, but how do you open QuickTime to record a new webinar? I have a new MacBook Pro with Yosemite and can only get QuickTime to appear in Finder but not actually open to allow me to record something new. Thx.

    Hi Winterwilly,
    Welcome to Apple Support Communities. 
    The article linked below answers your question of how to use QuickTime to record something on your MacBook Pro’s screen.
    QuickTime Player 10.x: Record your computer’s screen
    Cheers,
    -Jason

  • After restoring iPad, installing already purchased apps requires re-purchase them. How to avoid re-payment?

    After restoring iPad, installing already purchased apps requires re-purchase them. How to avoid re-payment?

    DDoes this happen for all apps or just some of them? Some apps always download the lite or free version. Then when you run the app there is a setting to allow you to restore your previous purchase without paying.

  • How to avoid the repeting question for autorisation of my computer (only for movies)

    Hallo,
    Does anyone know how to avoid the repeting question for autorisation of my computer?
    This happens only for movies that I bought.
    Hopefully someone can help me out.
    thx,
    Frederique

    Open itunes, Click Itunes, Check For updates

  • I'm receiving some personnal SMS (through iOS 5 imessage) on an old iphone I've already sold. How to avoid that?

    Hi,
    I used to have an iPhone 3GS, which I recently upgraded to iOS 5 and sold. This device doesn't have any of my personnal information inside anymore (several resets and reinstall iOS5 from an blank iTunes on a seperate computer) and doesn't have my chip inside anymore.
    I am using a new smartphone (not Apple) now and when I text friends who have iPhone (with iOS 5 and iMessage), I receive some of the personnal responses on the old iPhone. It seems those messages are sent through iMessage...
    How to avoid that? I sold this iPhone and I don't want the buyer to receive my personnal message + I don't want to miss them on my new phone!
    Thanks for the help.
    Franck.

    I would suggest you read the user guide.  There IS no Facetime App for the iPhone.
    http://manuals.info.apple.com/en_US/iphone_user_guide.pdf
    < Edited By Host >

  • How to Avoid another Black X Over the Battery?

    Forgive me if this is already a topic. If so, please direct me to the correct thread.
    I was recently working on my Late 2010 Macbook Pro 13 inch laptop when it just shutdown. It took about 5 minutes to start back up, and I immidatley noticed that there was a black X over the battery symbol, and the fan was running at a full (and a very loud) speed. I shut it down and plugged in the power cord, which only glowed very faintly.
    After some googleing, I figured out what was wrong and fixed it using a different thread. I basically had to restart the SMC. The thread I used is here: http://support.apple.com/kb/HT3964
    However, even though it helped me fix the problem, it didn't answer any questions. So, if you could please help me. Why did this happen to my Mac? How did resetting the SMC fix the problem? How can I avoid this problem in the future? Is this an issue with the battery, or is it something else?
    I want to know what I did to make this happen and how to avoid it in the future, if it's possible. All input is appreciated. I am not very computer savy when it comes to the inner workings, so I'm hoping someone smarter than me can help me understand what just happened with my computer.
    Thanks!

    An SMC reset can 'fix' several battery issues -
    A portable Mac doesn't appear to respond properly when you close or open the lid.
    The computer sleeps or shuts down unexpectedly.
    The battery does not appear to be charging properly.
    The MagSafe power adaptor LED doesn't appear to indicate the correct activity
    - but I've no idea why you had your problem in the first place, so I can't tell you how to avoid it in the future. Maybe you let your battery drain completely down? I don't know - but now you know the 'fix' for it should it happen again.
    Clinton

  • What should be considered a basic question here?

    Hey folks I want some feedback on why type of questions we should consider basic in this forum?  I have noticed in the last several weeks the questions here appear to be easily answered from wiki articles or the new book on the SAP Webclient programming.
    Instead of me however throwing down the moderator axe, I want the community to decide the type of questions that should be locked or moved to a "basic questions" forum.
    Given that the CRM Webclient is now a relatively mature product and the available materials to learn have increased, this should be fair request.
    In order to ensure that you respond I'm going to give my thoughts on what should not be allowed
    - Any topic covered in detail in the CRM wiki page here unless you need a clarification is subject for lock
    http://wiki.sdn.sap.com/wiki/display/CRM/CRMWebClientUIFramework
    or
    http://wiki.sdn.sap.com/wiki/display/CRM/CustomerRelationshipManagement
    Especially questions on how to add a new field, EEWB, AET, or dropdown boxes
    - Any topic asking for definition of terms is subject for a lock(i.e something that can be answered via help.sap.com)
    - If has already been answered before, then I would propose the following:
    1) Post the link in the thread
    2) OP responds whether that solved the issue
    3) Thread is locked from further discussion and awarding (to avoid rward hunting)
    Based on your feedback my goal is to implement the "stricter moderation" post Teched Las Vegas or around October 1st, 2011.  I would expect further changes to moderation style as SCN moves to a new platform and moderator tools are improved.
    Take care,
    Stephen
    CRM Forum Moderator

    Stephen,
    Basically queries like "How To xyz" which are already there on the WiKi should be moved to Basic Questions. These are the queries which are being raised by Consultants who are either new TO CRM or new to SDN or both.
    1. How to enhance a Web UI COmponent
    2. How to create a Drop Down
    3. How to create a F4 Help
    4. How to modify the Search Criteria.
    5. How to add a Attribute from AET/EEWB
    6. How to Create a Assignment block for a Z table.
    7. How to default values in Drop Down
    8. How to do dynamic navigation
    9. How to create Navigation Links for Navigation between 2 Components
    10.How to get business Partner ID from sy-uname
    11. How to Value node.
    12. How to create a BOL
    13. How to create a Pop Up View
    14. How to get values from Pop up view to the calling View.
    I guess these are few basic queries which are being asked N number of times and has been answered twice as many a times.
    Reading material and Tutorials are also sought by New CRM consultants which ideally should not be the case.
    Regards,
    Harshit Kumar

  • How do I gather some very basic data from visitors to my site

    I'm new to DW CS4, the learning curve has been steep but I'm getting the hang of it now. I have created an airshow website here (www.hollisterairshow.com ) which works just fine. I've been asked to add some basic questions to the web site (are you coming by car/ airplane,which day, camping overnight etc). I have a draft of the questions at the lower right corner here www.hollisterairshow.com/index2.html , they are very simple and all I need is to a total showing the sum of the answers, no login, no reservations etc. Ideally I'd like to have a submit button that changes to a "Thank you" message when a user has submitted their response and remains as a "Thank you" if they visit the site again. Do I need to set up a data source or something for this, I'm having a hard time figuring out how to start. So, what's the simplest way of implementing something like this?
    Thanks
    Tony

    I've been reading up on JavaScript and think I understand how to do the coding for setting/ testing for a cookie which will tell me whether the user has already responded and allow me to display the questions or the totals, thanks. I'd prefer to not have potentially hundreds of e-mails that have to be read and answers counted. Can the totals just be stored on the website and incremented when the user presses "Submit"? The totals I would need are:
    Saturday - #Autos, #Aircraft, #Other, #occupants
    Sunday - #Autos, #Aircraft, #Other, #occupants
    #campers
    This is not a financial application and the results will not guarantee attendance, we're just looking for an idea of how many might come each day as this is the first time we've run this event, so this doesn't have to be a bulletprooof application. What is the simplest way to implement this?
    Regarding enabling PHP is this just a yes/no option in the control panel or there other options for it? I don't have direct access to this because the City of Hollister owns the website, I'm just volunteering to create it so I need to know what to ask the city's web administrator for.
    Thanks so much for your assistance,
    Tony Babb

  • Please reply:how to avoid extra trailing spaces while using cursor sharing

    i am using cursor sharing with FORCE or SIMILAR.
    what is the solution to avoid extra trailing spaces without any java code change.
    do we have any option in oracle to avoid extra trailing spaces during the query processing ?
    I am using Oracle 10g
    CURSOR SHARING is a feature in which multiple sql statements
    which are same will have a shared cursor (in the library cache) for an oracle session,
    i.e, the first three steps of the sql processing (hard parse, soft parse, optimization)
    will be done only the first time that kind of statement is executed.
    There are two ways in which similar SQL statements with different condition values can be made to "SHARE" cursor during execution:
    1. Writing SQLs with Bind Variables: SQLs having no hard coded literals in them
    For e.g., the query below
    SELECT node.emp_name AS configid
    FROM emp node
    WHERE emp_no = :1
    AND dept_no =
    DECODE (SUBSTR (:2, 1, 3),
    :3, :4,
    (SELECT MAX (dept_no)
    FROM emp
    WHERE emp_no = :5 AND dept_no <= :6)
    AND node.dept_type = :7
    ORDER BY node.emp_name
    Here all the variables are dynamically bound during the execution. The ":X" represents BIND Variable and the actual values are bound to the SQL only at the 4th step of the execution of the SQL.
    In applications: The queries written with "?" as bind variables will be converted into ":X" and are sqls with Bind Variables.
    2. The CURSOR_SHARING parameter: Only Useful for SQL statements containing literals:
    For eg., the query below:
    SELECT node.emp_name AS configid
    FROM emp node
    WHERE emp_no = 'H200'
    AND dept_no =
    DECODE (SUBSTR (:1, 1, 3),
    'PLN', :2,
    (SELECT MAX (dept_no)
    FROM emp
    WHERE emp_no = :3 AND dept_no <= :4)
    AND node.dept_type = :5
    ORDER BY node.emp_name
    In the query above, there are two hard coded literals H200 , PLN. In this case when the same SQL executed with different values like (H2003 , PLN), oracle will create a new cursor for this statement and all the first three steps ( hard & soft parse and optimization plan) needs to be done again.
    This can be avoided by changing the CURSOR_SHARING parameter which can be set to any of three values:
    1. EXACT: Causes the mechanism not be used, i.e. no cursor sharing for statements with different literals. This is the default value.
    2. FORCE: Causes unconditional sharing of SQL statements that only differ in literals.
    3. SIMILAR: Causes cursor sharing to take place when this is known not to have any impact on optimization.
    So, FORCE and SIMILAR values of the parameter will be helping in cursor sharing and improve the performance of the SQLs having literals.
    But here the problem arises if we use the FORCE and SIMILAR other than EXACT.
    alter session set cursor_sharing ='EXACT'
    select 1 from dual;
    '1'
    1
    alter session set curson_sharing='FORCE'
    select 2 from dual;
    '2'
    2
    alter session set curson_sharing='SIMILAR'
    select 3 from dual;
    '3'
    3
    So, this will give extra trailing spaces in when we retrieve from java method and any
    further java processing based on the hardcoded literal values will fail. this needs lot of
    effort in remodifying the existing millions of lines of code.
    My question is i have to use cursor sharing with FORCE or SIMILAR and can't we do the trimming
    from the oracle query processing level ?
    please help me on this ?
    Message was edited by:
    Leeladhar
    Message was edited by:
    Leeladhar

    Please reply to this thread
    How to avoid extr trailing spaces using Cursor sharing opton FORCE, SIMILAR

  • Basic questions on iPhone apps. Please help!

    Hey I have a few semi-basic questions about iPhone apps. If you know the answers to any of them please respond as it would help me ton. Even if you dont know the exact answer, it'll help me with any input. Trapster is a good example of what im looking for because it uses a map and it receives/sends small amounts of data constantly.
    1) How much on average does it cost to hire a group of people to code an app for you. Specifically, how much do you think the app Trapster took to program? Are there any specific other apps you know how much it took to code? I need estimates, because I have nothing. A number like 50,000 would help a ton more other then saying "it depends" .....
    2) Apps like Trapster, send and receive small amounts of data all the time? What controls all of this data? Im guessing a server. But what are the server's specs? How many? Price per month?
    3) With 3.0 SDK now out, you are now allowed to implement google maps into 3rd party applications. Now I know you cannot use it for turn-by-turn navigation. But can you still use the directions feature already on google maps? Can you still use the search feature to search for a restaurant as well? Or maybe you can just see the map and thats it. Does anyone know exactly what you can use with google maps or know where there is more information? Ive tried everywhere.
    4) Just tell me if this is correct: You can add advertisements into your app. On average, for every 1000 times your app gets opened, you get about 1.00-2.00. So if your app gets opened 2,000,000 times you get $2,000 from advertising if you get 1.00/1000. Is that accurate as an average?
    5) Since 3.0 now supports push notifications, would you be able to have anything at all running in the backround? For example, on trapster, if you approach a red light camera, the app beeps. With 3.0, if you are on the home screen and approaching the camera, is there a way of getting the iphone to beep even though your just on the iphones main screen or any other screen? Im guessing not because in order to receive the push the iphone needs to know your current location and the location of the camera, which is why the app would need to be running. Incase im wrong is there a way of doing this?
    6) If an app is free and does not do advertising, does it make any money? If so how?
    Thanks!

    >"If an app is free and does not do advertising, does it make any money? If so how?"
    Of course.
    It's called 'reputation earned'. You negotiate your future based on attention from something (a free app?) that amazes the known world. Could be a book deal after you spend your young/old life crossing the divide - could be a marriage proposal that brings great wealth - could be a cabinet position with a station in a foreign tax haven.
    Use your imagination.
    As for cost, pull a number out of your hat and then double it...then double it again. Same goes for time, staff and delays.
    Ad-ware is so yesterday. Find something more current to scrape off your shoe

  • Basic Questions related EHPs for SEM

    Hi Guys,
    I've some basic questions related to EHPs: -
    1. If we don't mean to implement any of the new functionalities does it make any sense to implement EHP? In other words do EHPs also have some general improments other than the functionalities which can be specifically activated?
    2. If we just activate a functionality and don't implement/ use it can there be any negative impact?
    3. In case of a pure technical upgrade from SEM 4.0 to SEM 6.0 which EHP would be recommended?
    4. Is there a quick way to find all relevant notes in EHPn which are related to corrections for EHPn-1?
    Thanks in advance,
    -SSC

    HI,
    If you see some of my older posts I have had many issues with certain features of the EHP2 functionality but that doesn't mean I would recommned against it.
    BCS 6 EHPs 3 & 4  (BCS 6.03 / 6.04) - enhancement packs worth implementing?
    BCS 6 EHP 2 (BCS 6.02) - activation of enhancement pack
    My recommendation is to implement the EHPs but not necesarrily activate the functions (in SFW5) unless you need them - this means that you will only have to test once after EHP implementation and will have the ability to activate the other features as and when required (although testing is required after activation of course) whereas it might be difficult to persuade your client/basis team to implement EHP4 later if you don't do it now.
    In the features of EHP2 (activate FIN_ACC_GROUP_CLOSE) it states that there is a general performance improvement - although I have yet to experience it! From OSS note 1171344 "The functionality which is available in EHP2 consists of...
    ... Performance improvements of status management, reporting and initial start-up of consolidation workbench and monitor.
    Since activating FIN_ACC_GROUP_CLOSE I have had many OSS notes requiring application but i discovered that when the technical team implemented the EHPs (before i joined this client) they somehow forgot the latest SP (support packs) and didn't upgrade to the current level - so make sure that you get the right SPs too (see the links in Greg's link above) to avoid the many OSS notes.
    As for your question - "is there a list of OSS notes to specific to EHP upgrades? - the answer is most definietly "NO" - I already asked OSS in desperation!
    however, you can see the OSS notes that i have applied listed in the above link ( BCS 6 EHP 2 (BCS 6.02) - activation of enhancement pack )

Maybe you are looking for

  • Setting up HP LaserJet Pro P1102w for wireless but can not save wireless settings

    This printer worked fine on wireless with my last TWC modem/router, but I have tried for hours to set it up with a new one and it simply will not let me. USB works fine, but when I follow the instructions found here: OS X Yosemite Wireless. I choose

  • Arch & Windows 8 Dual Boot -- Windows Boot Loader loads grub-rescue

    Arch works fine,but as it always happens Windows boot went down. Both OS are EFI. Note that boot secure and fast boot were disabled for Windows 8. I used os-prober, but did not fix anything; so, I removed it. I tried to hack things out using boot-rep

  • How functional is the FIOS smart TV app?

    this isn't really a problem but more of a question that I can't for the life of me seem to find. In a few months, I will be moving to a new house that has FIOS service in its area  My dad has FIOS at his house and it is like the best service ever, fo

  • How to revert misc receipt

    Hi ! I have done a misc receipt by mistake in a process organization. Now i want to revert it back considering inventory, accounting and material costing also. During misc receipt no value was given. Please help me out . Thanx

  • Adobe forms central being reported to Google as a Phishing website

    I have pop up windows for my fillable forms. When arriving to these pages from links on my website, Google shows a warning that adobeformscentral.com has been reported as a phishing website. Of course, this is not correct. I merely have embedded form