10.7 to R11i On Solaris and Custom Interfaces

Hi,
We are planning to migrate from 10.7 to R11i on Solaris machine. We have developed custom interfaces with Oracle AP, AR and INV modules. We have GL, AP, AR, Cash Management, Inventory and purchasing modules implemented. We would really appreciate your help on following:
1. How correct are sizing guidelines specified in R11i Installation manual?
2. Should we have database and application servers on same machine? If not what type of application server is recommended i.e. NT or Solaris. Any performance issues in either approach?
3. If we go for single node installations do we have to generate FMX files for custom forms under Solaris?
4. Is it recommended to have APPL_TOP on one disk or we can split on multiple disks.
5. Which browser is recommended i.e. Netscape Ver x.x or Internet Explorer x.x?
6. What sorts of problems were encountered for custom interfaces?
7. Our development server is supporting 10.7 but we are sure it cant handle R11i upgrade. Is it recommended to carry out upgrade on production machine or should have separate machine to carry out this project?
8. Any other upgrade issues relevant to R11i upgrade on Solaris?
We would appreciate if someone share the upgrade problems and experiences.
Thanks
null

Hello TheGlamazon
We know everyone is super exited about these amazing phones. As your order moves through the process, you can check the status at http://bit.ly/RjmCUB. You may not be able to see a change from Processing until it officially ships, then you'll see the tracking number. If you've received a confirmation email that your order was submitted, any additional information throughout the fulfillment process will be sent to that same email address. Congrats on your new phone!
TanishaS1_VZW
Follow us on Twitter @VZWSupport

Similar Messages

  • Link of solaris 10 and ebs r11i for solaris

    hi all,
    I need link of solaris 10 and oracle ebs r11i for solaris to download.
    Please send me
    Regards
    Rizwan

    I did not find any link for solaris 10 32 bit,
    I also still find no link in edelivery.oracle
    please send me both link for solaris 10 32 and its related EBS versionOracle Apps 11i is no longer available for download and you have to log a SR and ask Oracle Support to send you the Media Pack.
    For Solaris 10, please refer to:
    Oracle Solaris Downloads
    http://www.oracle.com/technetwork/server-storage/solaris/downloads/index.html
    Thanks,
    Hussein

  • BEST BUY ONLINE NEEDS SOME HELP AND CUSTOMER SERVICE NEEDS TO BE HELPFUL

    After having just spent an hour trying to order something that the website says was in stock, and then finding it really wasn't available, it became obvious to me that Best Buy online leaves something to be desired.  It seems like a classic bait and switch.  Get people to the website with a low priced "deal", only to find it isn't available, however a more expensive version is available.  
    So, I call customer service.  I get someone who assures me the order will go through, provide my credit card, redeem my points, and only to find it would not work after all, as it didn't for me.  So I ask for a supervisor.   And I get someone who says "I don't know" and has no answers except that this is the way it is.  To add salt to the wound, he announces that unlocked phones cannot be ordered via telephone.  When asked why the rep didn't know that, yes, another "I don't know".  
    As a Best Buy customer who spends way too much money at Best Buy, I find this entire situation unacceptable.  As they say, vote with your feet, I will be exploring other stores to spend my money at.  A website that says something is available, and then isn't, simply is bad business.  And customer service who can only say "I don't know" isn't really customer service at all.   
    A "out of the box" idea would be to listen to what I'm saying, and fix it; this isn't the first time this has happened.  Simply saying "I don't know" is only irritating customers who are trying to buy things from Best Buy.  I am so frustrated with the situation and I assure you I will look elsewhere for future needs/wants.  

    Hello User269123,
    I apologize for the lengthy delay in responding to you. While we try to reply to all customer service issues posted on the forum within 3 to 5 business days, we don’t usually receive requests for assistance through our IdeaX board. In the future, please make sure that you are posting any customer service related issues to the Customer Service boards to ensure a timely response.
    Having said that, I pulled up your account via the email address attached to your forum profile to properly document your ideas to make sure we take advantage of the feedback you’ve offered. I was glad to see your concerns reached Dan on our executive support team and that he was able to address your case in a timely manner.
    Thank you for posting,
    Alex|Social Media Specialist | Best Buy® Corporate
     Private Message

  • Why  difference in Solaris and Linux

    Hi,
    The following program is giving results diferently when I am executing using g++ compiler in Solaris and Linux.
    Why it is so.
    here is the code:
    #include <stdio.h>
    #include <string.h>
    #include <malloc.h>
    #include <stdlib.h>
    int main( void )
    size_t size;
    char *buf;
    if ( ( buf = (char *)malloc(10 *sizeof(char))) == NULL)
    exit (1);
    size = sizeof( buf );
    strcpy(buf, "HelloWorld");
    printf("\n Address is : %u String is : %s size : %d ", buf, buf,size);
    if (( buf = (char *) realloc(buf, sizeof(20))) == NULL)
    exit ( 1);
    *(buf+10) = 'A'; *(buf+11) = 'B'; *(buf+12) = '\0';
    printf("\n Address is : %u String is : %s\n", buf, buf);
    free( buf);
    exit( 0 );
    Solaris:
    Address is : 134160 String is : HelloWorld size : 4
    Address is : 135704 String is : HelloWor
    Linux:
    Address is : 134518824 String is : HelloWorld size : 4
    Address is : 134518824 String is : HelloWorldAB
    Thanks
    Venkat

    Hi,
    The following program is giving results diferently
    when I am executing using g++ compiler in Solaris
    and Linux.
    Why it is so.
    here is the code:
    #include <stdio.h>
    #include <string.h>
    #include <malloc.h>
    #include <stdlib.h>
    int main( void )
    size_t size;
    char *buf;
    if ( ( buf = (char *)malloc(10 *sizeof(char))) == NULL)
    exit (1);
    size = sizeof( buf );The size you get here is the size of buf, which is the size of a pointer, not the size of what buf points to. sizeof(*buf) would give you size of a char, the type (not the object) that buf points to.
    There is no portable way to find out the number of bytes allocated on the heap if you are give only a pointer to the memory. You have to remember the size some other way..
    strcpy(buf, "HelloWorld");A literal string consists of the characters in the string plus a terminating null, all of which are copied by strcpy. You allocated 10 chars for buf, but are writing 11 chars into it. At this point, the program has undefined behavior. Literally anything at all could happen, because you can't predict the effect of writing outside the bounds of allocated memory.
    printf("\n Address is : %u String is : %s size :
    e : %d ", buf, buf,size);
    if (( buf = (char *) realloc(buf, sizeof(20))) == NULL)The "sizeof" operator in this case is returning the size of the type of a literal 20, which is an int. If you want to allocate 20 bytes, you write 20, not sizeof(20).
    exit ( 1);
    *(buf+10) = 'A'; *(buf+11) = 'B'; *(buf+12) == '\0';SInce you can't count on buf having more than 4 bytes at this time, you are writing into unallocated memory, with undefined results.
    printf("\n Address is : %u String is : %s\n", buf, buf);
    free( buf);
    exit( 0 );
    Instead of asking why you get different results on different platforms, you should be asking why the program doesn't crash on all platforms. :-)
    You can avoid these problems with keeping track of allocating memory by using the C++ standard library instead of trying to manage low-level details yourself as in C code.
    The standard string class, for example, extends itself as needed, and ensures that heap memory is freed when the string object is deleted or goes out of scope. You don't need pointers, malloc, free, or sizeof to use C++ strings.

  • Why keyboard and mouse right click not working in Solaris and Linux?

    Hi all,
    I have two problems:
    1) I am working on AWT/Swing application and its working fine in window enviornment,but while running on solaris and linux mouse right-click option window not poping up.
    2) Ctrl+c,Ctrl+v,Home and End keyboard key are not working in solaris and linux OS for same application.
    Pls provide me some solution for these problem.
    -Dinesh

    Hi Nik,
    Thanks for reply. I found some solution for the above problem.
    For mouse right click there was problem in my source code.I have not implemented the mousePressed() method
    In case of keyboard Home, End and arrow key working fine after exporting AWTUSE_TYPE4_PATCH=false; in solaris and linux
    But still Ctrl-c and Ctrl-v not working.
    I am using JDK1.5.0_07+Eclipse IDE 3.1
    -Dinesh

  • Profit Center population in the Vendor and Customer Line items

    hello
    our client is asking for  getting profit center in the vendor and customer line items  where in the view FBL5n and fbl1n we are not getting the profit center populated - in the new gl i understand that there is a standard report based on the gl account.
    but our business is not satisfied with the report and expecting report at profit center level.
    Can any one suggest any way of doing this.
    regards,
    Vijay

    Dear Vijay,
    Let me provide you my view of solutioning for this. This is an enahcement that needs to be done
    1. You can get the profit center from the given vendor and customer line item at the time of posting, using an enahcement you will be able to capture it.
    2. Existing the profit center field is not populated in the BSIK,BSAK,BSID and BSAD tables
    3. Hence, in the same enhancement once you capture the profit center , you can write the code that profit center is updated in these tables also.
    4. This will help you to do the vendor line item wise selection in the FBL1N,  FBL5N profit center wise.
    Constraints of this solution:
    The only constraint remains where in the for a given document if there are multiple profit center, then the system will do the splitting profit center wise for a vendor line item, which will not populate the profit center in those tables as there is only one field available in the bsid etc.. tables.
    This basically would be the one the soltuion where in as seeen from the end user ther eis no change in the front end interface , the way they are doing always they can do.
    You need to also take care the % of document splitting means cross profit center postings /cross document splitting charactericstics postings and the volume involved in this. so that you can suggest this to your client.
    Regards,
    Bharathi.

  • Standard and customized reports

    Experts,
    I'm given a requirement to create some reports. Was hoping someone can help me with which are standard and customized reports from this list :
    OPEN PURCHASE ORDER REPORT
    OPEN REQUISITION REPORT
    OPEN RFQ REPORT
    PURCHASE ORDER CONFIRMATION REPORT
    STOCK ITEMS RE-ORDER
    STOCK ITEMS RESERVED
    STOCK ITEMS ABOVE STOCK MAX
    STOCK ITEMS BELOW STOCK MIN
    STOCK ITEMS DETAILS
    STOCK ITEMS INVENTORY CONTROL
    STOCK ITEMS LIST BY NUMBER
    STOCK ITEMS MOST USED
    STOCK ITEMS NOT USED
    STOCK ITEMS ORDER BY COST
    STOCK ITEMS ORDER BY LOCATION
    STOCK ITEMS ORDER BY VENDOR
    STOCK ITEMS OVER RESERVED
    STOCK ITEMS STATUS
    STOCK ITEMS VALUE
    VENDOR PERFORMANCE REPORT
    Regards,

    Hi,
    SAP Std. Reports     Description                                                                          Z-Dev
    ME2N / ME2M / ME2L     OPEN PURCHASE ORDER REPORT     
    ME5A                          OPEN REQUISITION REPORT     
    ME4N / ME4M / ME4L     OPEN RFQ REPORT     
    ME2A / VL06I     PURCHASE ORDER CONFIRMATION REPORT     
    MB53                          STOCK ITEMS RE-ORDER                                                     ABAP Report
    MB24 / MB25                          STOCK ITEMS RESERVED     
                              STOCK ITEMS ABOVE STOCK MAX                                ABAP Report
                              STOCK ITEMS BELOW STOCK MIN                                ABAP Report
    MMBE / MB52     STOCK ITEMS DETAILS     
    MC.1 / MC.9                           STOCK ITEMS INVENTORY CONTROL     
    MMBE / MB52     STOCK ITEMS LIST BY NUMBER     
    MC46                           STOCK ITEMS MOST USED     
    MC50                           STOCK ITEMS NOT USED     
    ME2N / ME2M / ME2L     STOCK ITEMS ORDER BY COST     
    ME2N / ME2M / ME2L     STOCK ITEMS ORDER BY LOCATION     
    ME2L                          STOCK ITEMS ORDER BY VENDOR     
    MB24/MB25                           STOCK ITEMS OVER RESERVED                                        ABAP Report
    MMBE/MB53                           STOCK ITEMS STATUS     
    MB52                           STOCK ITEMS VALUE     
    ME6H                           VENDOR PERFORMANCE REPORT     

  • How to set buildID.xml and custom.properties in SDK

    Hello,
    I just completed a new build deployment of SAP ME5.2, because after I deployed the new version, I don't think I have set a
    correct version number.Can you someone give me a sample how to set the buildID.xml and custom.properties? I am a new on the SAP ME5.2
    The Base version is ME_Base_5.2.5.16.5_netweaver-71_Update.zip and
    MEClient_Base_5.2.5.16.5_netweaver-71_Update.zip. the HB customzation
    version is ME_xxxxxx_2.0.0.0.x_netweaver-71.
    Within the sap note 1484551, you mentioned we need change the
    SDKInstallDir/build/buildID.xml file, here is the context of the file:
    buildID.xml -
    <?xml version="1.0" encoding="UTF-8"?>
    <buildID xmlns:xs="http://www.w3.org/2001/XMLSchema">
    <customer>XXXXXX</customer>
    <revision>1.0.0.0</revision>
    <build>1</build>
    </buildID>
    buildID.xml -
    1. how can we change the revision and build?
    There is another file BuildToolDir/build/script/custom.properties, here
    is the file context:
    custom.properties----
    This file contains build properties used to configure the build
    system.
    The name of the software vendor implementing the customizations.
    vendor.name=xxxxxxxxx
    Vendor build identifier. This value is used to uniquely identify
    customizations built by a particular vendor for a particular customer
    and base
    application version.
    This is also used in path locations and in naming certain build
    artifacts, like the custom EJB module and the utility classes archive.
    vendor.id=xxxxxxxxx
    The installation of the J2EE engine installed in the development
    environment.
    ex. C:/usr/sap/CE1\J00
    j2ee.instance.dir=J2EEInstanceDir
    The web context path used to access the main web application. This
    is used by the build to set the
    context-root value in application.xml after an update has been
    imported.
    web.context.path=
    The web context path used to access the production XML interface web
    application. This is used by the build to set the
    context-root value in application.xml after an update has been
    imported.
    xml.context.path=
    The web context path to access resources from the web extension
    application, like images and work instruction HTML files.
    web-ext.context.path=web-ext
    The target database vendor. Valid values are 'oracle' or 'sqlserver'.db.vendor=ORACLE
    The JDBC driver configured for the application server.
    db.drivername=VMJDBC
    JDBC connection propertes for the WIP (Work In Process) database.
    This is the primary application database.
    db.wip.driverclassname=
    db.wip.driver.url=
    db.wip.host=
    db.wip.port=
    db.wip.sid=
    db.wip.user=
    db.wip.password=
    JDBC connection propertes for the ODS (Open Data Store) database.
    This is the offline reporting and archiving database.
    db.ods.driverclassname=
    db.ods.driver.url=
    db.ods.host=
    db.ods.port=
    db.ods.sid=
    db.ods.user=
    db.ods.password=
    Flag indicating whether to add DPMO NC codes to NC idat files when a
    new update is imported. This value is initially
    set by the installer according the the user selection.
    dpmo.nc.codes=
    The default locale used by the production system. The default locale
    is the locale used to display locale
    specific text and messages when the requested locale is not
    available. This property does not need to
    be set if the default locale is english.
    default.locale=en
    Used when running the build from Eclipse to locate the java compiler
    used by the WebLogic EJB compiler.
    jdk.home=C:/Program Files/Java/jdk1.5.0_20
    Compiler debug mode. If set to 'true', debug symbols will be
    compiled into the byte code.
    compile.debug=true
    Keystore alias
    security.alias=xxxxx
    Keystore password
    security.storepass=ChangeIt
    Key password
    security.keypass=ChangeIt
    Keystore type (jks=default,jceks,pkcs12)
    security.storetype=jks
    Optional source control build identifier that is to be displayed with
    standard version information.
    scs.build.ID=
    Optional extended version information to be displayed with standard
    version information.
    ext.info=
    custom.properties----
    2. How can we change this here?
    Regards,
    Leon Lu
    Edited by: Leon Lu on Aug 4, 2011 11:14 AM
    Edited by: Leon Lu on Aug 4, 2011 11:21 AM

    Hi,
    I created one request with logo in the header an page in the footer etc. and called StyleSheet. After you can import this formats by each request.
    You can do this in compound layout.
    Regards,
    Stefan

  • The lack of details and customer service.

    After less than one month of ownership, my Ideapad K1 power button broke. After talking to a customer service rep (K). She informed me it will have to be returned to Lenovo for repair, which will take about 7 to 10 business days from time of delivery. I asked to speak to a supervisor at which point she puts me on hold and then comes back on the line to tell me the supervisor stated the same thing. At no point did I ask her to confirm this with the supervisor. I asked again to speak to her supervisor, to which she puts me on hold again. The supervisor (R) comes on the line to tell me that the Ideapad K1 will have to be returned for repair. He then transfers me back to K to finalize the return, to which she now informs me I will have to pay for shipping. This is very poor customer service in my view. I will never buy another Lenovo product as long as I live and would advise every one I meet not to buy one either. I was looking at their high end laptops for my corporate deployment, its a shame. Maybe I will be going with DELL as they will send a Tech to my house to perform repairs.   I do hope that all customer calls are recorded as I believe someone needs to listen to the lack of professionalism and customer service that both K and R display. 
    Note from Moderator:  Employee name/e-mail/phone removed to protect their privacy per the forum rules.

    Hi i had the excact same thing i got the k1 for christmas and now its january and the power button doesnt work ..i never dropped it always put it in its case and there is not a dam scratch on the thing least they could do is pay for shipping there defective product back to them so it can be fixed

  • My experience in Toshibas product and customer services

    Just a warning to people who may be considering purchasing a Qosmio based on my own experiences and the research I have done in the last week.
    Toshibas customer service is simply not what it once was and there are 100s of reports of Qosmios of all generations suffering extreme issues just outside of warranty periods.
    Ref: Toshiba Qosmio X500-149, Support call reference ********
    I am writing to express my frustration, anger and disappointment in Toshibas product and customer services.
    I am a Freelance Community Manager, Video Game and hardware reviewer in the video games industry presently looking after 2 communities for 2 employers totalling over 2.5m users, I travel to a lot of trade shows, expos and community meet and greets where I require a laptop suitable of showing the employers products which are usually AAA video games or editing video on the fly for publication to social networking sites.
    In January of 2011 my 4 year old Alienware hit that point where it really needed replaced, I opted for a Toshiba Qosmio over the Asus G73 as there was a 300 price difference for near identical spec.
    I managed to source a X500-149 at PCWorld the companies flagship model here in the UK paying 1499 for it on January 26th 2011 reduced from 1799.
    For the 1st 13 month this laptop performed admirably aside a design issue of the fan guards that I raised on the 16th May 2011 with PCWorld where the heat expelled causes the rear guard plastics to become exceptionally brittle and crack. I evangelised the product to anyone who asked me what laptop and model it was that was running these AAA games in such great detail, something I certainly won't be doing in future.
    In early March 2012 it then began randomly locking up requiring a hard reboot this would then suffer issues restarting, reporting Operating system could not be found this would usually point to a fault on the primary HD, disk checking software however reported no errors but this continued to happen which would lead me to suspect the motherboard.
    Within a month of this problem starting the left laptop fan began making a horrible screeching noise and had a distinct wobble whenever high RPM's were required and the machine began to often go into thermal shut-down whilst performing my work duties and utilising graphics and higher than idle CPU.
    I decided on the 23rd April 2012 that enough was enough and I was going to speak to Toshiba as for this to happen to a flagship laptop that was only just out of warranty was simply unacceptable.
    23rd April called to report the issue and was basically told tough luck its out of warranty at this point I also updated my tel numbers with Toshiba as the info was outdated, after expressing my anger at this Toshiba agreed to offer me a extended warranty at a cost of 166.
    I was fuming to say the least Toshibas flagship laptop breaks at 14 month old and I am expected to stump up more money. If I was not desperate as the machine is critical to my work I would have returned the machine to PCWorld under the sales of goods act and it not being fit for purpose.
    As that course of action would likely lead to legal proceedings, engineer reports and even more delay than just dealing with Toshiba for a repair, against my better judgement I called back at 11am on 24th April paid the 166 and took Toshiba up on the warranty extension, order number ********** again having to provide correct tel numbers as where once again incorrect, immediately after I reported the faults.
    Toshiba Support centre on fault reporting where great noting each issue in detail and raised a collection with UPS for the following day.
    The evening of the 24th April whilst I was retrieving data from the laptop in preparation for factory resetting it the machine went into thermal shut-down with a very distinct smell of burning chemical/plastic coming from the rear vents.
    It took me over 90 minutes to get the machine cool enough to actually reboot and get my data after this I shut it back down and boxed it up not be used again.
    I thought the best course of action would be to report this as it was a fair step up from the previous overheating. Wednesday 25th April at around 9am I called Toshiba to report this and was advised this would have to be dealt with by a head office case manager, as the item had become hazardous thus the collection that would take the laptop to the service centre was cancelled.
    At this stage the advisor took my contact numbers again and escalated the case to head office advising at that time that I would be called by HO within 24 hrs.
    Thursday 26th April 15:31 Well past the 24 hr mark and no sign of a call so I called support again and spoke to a advisor called Jacob. Jacob advise that HO had indeed tried calling on 01670 ******* this number was my old number, this number was the number I had advised twice already was incorrect and had provided both a correct land-line and mobile number 3 times previously. To say I was annoyed was a understatement.
    Jacob attempted to contact Chloe Sontag who was looking after my case but the line just rang out so Jacob advised that he had sent an email asking for Chloe to contact myself.
    Friday came and still no contact by 15:00 so I called support who once again tried to patch me to Chloe who's number once again just rang out and again an email was sent asking to call me.
    No call by 17:30 so I called tech support again and spoke to Ian asking for head offices number so I could call them direct, Ian provided the number yet advised that HO are now closed.
    After expressing my frustration with this whole process and just how critical this machine is to my daily working life Ian promised to look into the case on Monday AM and try and expedite actually getting a phone call to at least start the process of having this laptop repaired.
    To say I'm annoyed is really a understatement not only has this failure to receive a simple phone call at least delayed the repair by almost a week but it is costing me more and money daily when I spent a large amount on what I imagined would be a great laptop for 3-4 years and believed Toshiba actually had good customer service in the event something did happen.
    My best guess is that Chloe is on holiday or is part time or such like as her phone just rings out and if that is the case then I would question why assign a case to her, if she isn't then I would want to know why after 2 additional mails advising that the customer is not happy and to contact them has there been no contact or are your case workers just so overworked with faulty products that they can't manage the workload ??
    So far Toshibas inability to produce a product that last as long as you expect it would has cost me 2 days off work that I am having to make up this weekend thus cancelling prior commitments, 166 extended warranty 600 for a HP laptop that I had to go and purchase yesterday 27th April 2012 to actually perform my work on and who knows how much in phone calls by the time this matter will finally be resolved.
    I was happy with Toshiba as a manufacturer and of course laptops can have issues however having now researched these issues far to many Qosmio X500 users report severe overheating just after the 12 month period or within it and many state that repair after repair has taken place but still to no avail, this on top of the cracking of the rear heat-sink guards has to be a design fault.
    This letter will not arrive with you before I have hopefully had a phone call and my laptop has at least been collected for repair, If I have not had that phone call then I would expect another letter very shortly.
    Why have I wrote this letter ? To express my disappointment with just how poor the durability of your flagship laptop is and also at just how poor your customer service are, 1500 is a lot of money in the PC purchasing scheme of things and to expect this quality of hardware and customer service is simply unacceptable.
    I expect the repair to be expedited and if like some of the horror storys I have read online parts required will take 4 weeks + then I would expect a replacement laptop, not everyone uses these things for entertainment and whilst the HP I had to rush out and buy with money I didn't really have available can allow me to perform my core duties to the minimum it cannot allow me to perform my duties to my standards, my employers standards or my expectant communities standards.
    This has been a really unfortunate series of events as I had been considering the X870 Ivy Bridge based on the Nvidia 670m Qosmio which would release soon and passing this X500 onto my partner but after these events and the fact that the HP laptop had to come out of the money saved for it then I can categorically state that will not be the case and I will instead opt for the Asus G55 or G75.
    If this issue cannot be resolved to a satisfactory manner then I will have no option but to seek an independent engineers report as well as printing the myriad of similar reports of these issues on the internet and return the item to PCWorld.
    In line with the sale of goods act 1979 a large electrical item has to be of satisfactory quality and fit for purpose for a period of 6 years whilst I wouldn't expect the full 6 years from a laptop I would expect at least 3-4 year especially considering that this is a near 2000 flagship model not a 200 budget model.
    This is a action I really do not want to take as it will likely end in small claims court against PCWorld a company that on this occasion has done nothing wrong, I do not believe in punishing those who are not at fault so its a action I really wouldn't be happy with and I'm sure PCWorld one of if not the largest vendor of Toshiba products when you incorporate the rest of the DSG group wouldn't be too pleased with it either.
    Frustratingly

    So I received my laptop back today after having fans replaced and a good clean as well as the top cover replaced.
    Opened the box and took the laptop out 1st thing I noticed was a screw rattling around inside, SIGH!!!!
    Plugged the laptop in and attempted to boot it at this point it just cycle through finalisation of windows install and shutdown.
    How could a laptop have been tested if it didn't even have windows installed ?
    An hour later and I gave up unplugged it and lo and behold it actually booted when on battery only.
    I then noticed that the SSD was full, oh wait no it wasn't the head office engineer in his infinite wisdom decided that partitioning a 64GB SSD to 2 drives barely even leaving enough for Windows on the C: and wait for it putting the HDD recovery on the second partition was a good course of action.
    So a completely borked install and a screw floating around inside remind me how this particular engineer has a job ??
    I spent the next 15 minutes just moving data around and creating and deleting partiitions to fix this mess up.
    Grabbed HWMonitor to check temps and at an idle 50c on CPU and 36c on GPU they didn't look too bad,
    Installed the Toshiba recommended Nvidia driver a driver I hasten to add that was released in 2010 as Toshiba have not updated the drivers for their flagship series laptop since then, They are happy to take your 1643 that the unit cost but then don't expect support for it.
    Anyway that aside I then installed 1 of the games I work on and began to run the machine through our benchmark software wooooosh the temps shot up to 90c+ on both CPU and GPU and remained at this temp for the duration of the benchmark never quite triggering thermal shutdown, I then loaded into a warzone for further testing and sure enough half way through it the machine shut down due to thermal shutdown.
    I then uninstalled the toshiba driver and tried a NVidia one sure enough as others have advised actual Nvidia drivers seem worse and thermal shutdown came so much earlier.
    I have been to PCWorld today to begin proceedings of returning outside of warranty due to not being fit for purpose or of suitable quality. This is costing me a further 60 and at least 2 weeks more without a proper machine and will likely result in me getting about 1300 back from PCWorld.
    So lets do the math on just what this will have cost me by the time its finished.
    1634 Original purchase
    166 Extended Warranty
    600 Backup Laptop whilst this was away for a month
    60 outside of warranty assessment
    50 phone calls
    I will probably receive 1300 back but then 1300 doenst buy me the spec I need for work so I will have to pull out another 300-400 for the required spec so lets add that to the original figures.
    A Toshiba Qosmio, Toshibas flagship laptop will have cost me in total 2910 almost double its actual retail price.
    I will NEVER buy a Toshiba product again and it will become my lifes mission to let everyone know just how terrible they are.

  • How can i clear the vendor and customer open line items at a time same vendor as a customer of the company (same vendor same customer and equal invoices )

    my vendor and customer are same . purchase invoice due100000 and sales invoice amount is also 100000 at a time with any manual action , have any setting for cleared both vendor and customer line items at a time ...........

    X Ltd. will be Vendor & Customer.
    Purchase Invoice is booked under Vendor SAP number & Sales Invoice is booked under Customer SAP number. Then you can transfer amount from Vendor to Customer or vice versa with T-code F-04.
    Then if you have transferred amount from customer to Vendor (F-04), Vendor account will have two entries Debit & Credit. Then go for clearance with T-code F-44 clear Vendor.

  • Printing confirmation of balance for vendors and customer-urgent

    Hi,
    Thanx Vamsi for the reply.
    I have got 1 more doubt.we are using CUSTOMISED correspondence types.The annexure we give has only the open items.But the users want a list of cleared items to appear in the list.
    Will the confirmation have only open items ???? or can it take even the cleared items along with it.Can the print program be modified to take even the cleared items along with it.
    Kindly advise.
    Thanks in advance
    Regards
    Karpagam

    Hi,
    We are using print program SAPF130K and SAPF130D for vendor and customer respectively.
    My query is can we bring even the cleared items alongwith the open items in the same print program???
    Now we have line items of open line items only?? As per our exploration into the program... we get only open items..
    Also we are using SAP10 and SAP11 as the correspondence type.Kindly advise as to correspondence type should be changed so that it can print both the open and cleared items?
    Please reply ASAP as it is very urgent.
    Thanks in advance.
    Regards
    Karpagam

  • Profit centerwise Vendor and Customer line items view

    Deal ALL,
    We have not activated Business Area.
    We have 10 plant under one company code. Client is booking the vendor and customer invoice as per the cost center and profit center of the plant. Payment and Receipt is also made according the bank maintain for each plant. As one customer or vendor is dealing with all the plants.
    Can any body can help me out how to get the vendor and customer line item display according plant or cost or profit center wise, so we can make or receive payment accordingly.
    Request you all to reply.
    Thanks & Regards,
    Bhadresh

    Hi
    Try the transaction codes for Profit Display by suitable config in TCode O7F1, O7F2, O7F3
    Assign Points if useful
    Regards
    Sanil

  • Outbound delivery date in June and customer invoice post in July,tax rate?

    Hi Experts
    tax rate (June)=22%
    tax rate (july)=24%
    issue is Outbound delivery date in June and customer invoice post in July,so sytem taking tax rate =24% instead of 22%.Because outbound delivery is happened in June.
    Please let me know that,
    1)how system picking tax rate on base like billing date or service render date or ...?
    2)how to take tax rate (june)=22% in July posting.
    regards
    sachin

    Tax Rate is picked based on the pricing date.
    You need to check with your SD collegue to configure the pricing date to be equal to outbound delivery date to pick the outbound delivery date based tax rates.
    Regards,
    Gaurav

  • Excise and customs

    hi gurus,
                   can anybody give me an over view structure of excise and customs... not related to SAP .. in general  ...
    eg  basic price
          discount
         ed = 16*( basic price-discount)
    like this what all the elements come and on which tax is levied..
    regards,
    rohan

    i got answer

Maybe you are looking for

  • Connecting a Macbook Pro to a Samsung LCD TV. Can anyone tell me where to find information on what I need and how to do it?

    I want to connect my 2009 Macbook Pro to my Samsung LCD TV. I am afraid to go somewhere and ask and get bogus information so am putting it out here to see if anyone can help with the how tos and the types of cords/adapters I might need to purchase.

  • How to display the content from a file  stored in database

    when i am trying to display the content from a file which stored in database on oracle report 10g data are displaying as following. please help me to display the data in readable format <HTML LANG="en-US" DIR="LTR"> <!-- Generated: 1/11/2006, postxsl

  • URGENT: Regaining Focus

    Hello everybody! To get some print screen functionality in Oracle Forms 9i (as the PRINT built-in has proved problematic), I have created a 'Print' button using the HTMLbeforeForm= parameter in formsweb.cfg. Works like a charm! But... how do I get th

  • Long running statement including function

    Hello expert, I have a long running statement and corresponding function as follows: select pp.policy_premium_pk, pp.policy_fk, pp.policy_term_fk, pp.risk_fk, pp.coverage_fk, pp.transaction_log_fk, pp.coverage_component_code, hiroc_rpt_user.hiroc_get

  • PLEASE HELP!! Applying transitions across many powerpoint slides

    Hi there, I have searched the forums, and Lisa Brenneis book, but cannot find an answer for this one. I have a corporate film with lots of added powerpoint slides (dreadfully dull) and I just want to get this out as quickly as possible. I want to add