Need C# sample for Add-On

Can anyone share a simple add-on solution with me that is written in Visual Studio 2005 and C#?  Even if it's just a simple "Hello, World" one.  But it must have been installed and connected to by you and validated that it works.  I don't want a link to the samples because none of them work for me let alone compile. 
I would really appreciate this!
Regards,
David Moschkau

This was my first test app translated from the VB sample:
Important - remember to set the Project, Properties, Debug to pass the command line argument
0030002C0030002C00530041005000420044005F00440061007400650076002C0050004C006F006D0056004900490056
Program.cs
using System;
using System.Collections.Generic;
using System.Windows.Forms;
namespace SB1TestApplication
    static class Program
        /// <summary>
        /// The main entry point for the application.
        /// </summary>
        [STAThread]
        static void Main()
            SimpleForm frm = new SimpleForm();
            System.Windows.Forms.Application.Run();
SimpleForm.cs
using System;
using System.Collections.Generic;
using System.IO;
using System.Text;
using System.Xml;
namespace SB1TestApplication
    public class SimpleForm
        private SAPbouiCOM.Application mSBOApplication;
        private SAPbouiCOM.Form oForm;
        private void SetApplication()
            SAPbouiCOM.SboGuiApi sboGuiApi;
            string connectionString;
            sboGuiApi = new SAPbouiCOM.SboGuiApi();
            // by following the steps specified above, the following
            // statment should be suficient for either development or run mode
            connectionString = (string)Environment.GetCommandLineArgs().GetValue(1);
            // connect to a running SBO Application
            sboGuiApi.Connect(connectionString);
            // get an initialized application object
            this.mSBOApplication = sboGuiApi.GetApplication(0);
        private void CreateMySimpleForm()
            SAPbouiCOM.Item item;
            // we will use the following objects to set
            // the specific values of every item
            // we add.
            // this is the best way to do so
            SAPbouiCOM.Button oButton;
            SAPbouiCOM.StaticText oStaticText;
            SAPbouiCOM.EditText oEditText;
            SAPbouiCOM.ComboBox oComboBox;
            // add a new form
            SAPbouiCOM.FormCreationParams oCreationParams;
            oCreationParams = (SAPbouiCOM.FormCreationParams)
                this.mSBOApplication.CreateObject(SAPbouiCOM.BoCreatableObjectType.cot_FormCreationParams);
            oCreationParams.BorderStyle = SAPbouiCOM.BoFormBorderStyle.fbs_Fixed;
            oCreationParams.UniqueID = "MySimpleForm";
            oForm = this.mSBOApplication.Forms.AddEx(oCreationParams);
            // add a User Data Source to the form
            oForm.DataSources.UserDataSources.Add("EditSource", SAPbouiCOM.BoDataType.dt_SHORT_TEXT, 20);
            oForm.DataSources.UserDataSources.Add("CombSource", SAPbouiCOM.BoDataType.dt_SHORT_TEXT, 20);
            // set the form properties
            oForm.Title = "Simple Form";
            oForm.Left = 400;
            oForm.Top = 100;
            oForm.ClientHeight = 80;
            oForm.ClientWidth = 350;
            // Adding Items to the form
            // and setting their properties
            // Adding an Ok button
            // We get automatic event handling for
            // the Ok and Cancel Buttons by setting
            // their UIDs to 1 and 2 respectively
            item = oForm.Items.Add("1", SAPbouiCOM.BoFormItemTypes.it_BUTTON);
            item.Left = 6;
            item.Width = 65;
            item.Top = 51;
            item.Height = 19;
            oButton = (SAPbouiCOM.Button)item.Specific;
            oButton.Caption = "Ok";
            // Adding a Cancel button
            item = oForm.Items.Add("2", SAPbouiCOM.BoFormItemTypes.it_BUTTON);
            item.Left = 75;
            item.Width = 65;
            item.Top = 51;
            item.Height = 19;
            oButton = (SAPbouiCOM.Button)item.Specific;
            oButton.Caption = "Cancel";
            // Adding a Rectangle
            item = oForm.Items.Add("Rect1", SAPbouiCOM.BoFormItemTypes.it_RECTANGLE);
            item.Left = 0;
            item.Width = 344;
            item.Top = 1;
            item.Height = 49;
            // Adding a Static Text item
            item = oForm.Items.Add("StaticTxt1", SAPbouiCOM.BoFormItemTypes.it_STATIC);
            item.Left = 7;
            item.Width = 148;
            item.Top = 8;
            item.Height = 14;
            item.LinkTo = "EditText1";
            oStaticText = (SAPbouiCOM.StaticText)item.Specific;
            oStaticText.Caption = "Static Text 1";
            // Adding another Static Text item
            item = oForm.Items.Add("StaticTxt2", SAPbouiCOM.BoFormItemTypes.it_STATIC);
            item.Left = 7;
            item.Width = 148;
            item.Top = 24;
            item.Height = 14;
            item.LinkTo = "ComboBox1";
            oStaticText = (SAPbouiCOM.StaticText)item.Specific;
            oStaticText.Caption = "Static Text 2";
            // Adding a Text Edit item
            item = oForm.Items.Add("EditText1", SAPbouiCOM.BoFormItemTypes.it_EDIT);
            item.Left = 157;
            item.Width = 163;
            item.Top = 8;
            item.Height = 14;
            oEditText = (SAPbouiCOM.EditText)item.Specific;
            // bind the text edit item to the defined used data source
            oEditText.DataBind.SetBound(true, "", "EditSource");
            oEditText.String = "Edit Text 1";
            // Adding a Combo Box item
            item = oForm.Items.Add("ComboBox1", SAPbouiCOM.BoFormItemTypes.it_COMBO_BOX);
            item.Left = 157;
            item.Width = 163;
            item.Top = 24;
            item.Height = 14;
            item.DisplayDesc = false;
            oComboBox = (SAPbouiCOM.ComboBox)item.Specific;
            // bind the Combo Box item to the defined used data source
            oComboBox.DataBind.SetBound(true, "", "CombSource");
            oComboBox.ValidValues.Add("1", "Combo Value 1");
            oComboBox.ValidValues.Add("2", "Combo Value 2");
            oComboBox.ValidValues.Add("3", "Combo Value 3");
            // set the form as visible
        private void SaveAsXML()
            // always use XML to work with user forms.
            // after creating your form save it as an XML file
            XmlDocument oXmlDoc = new XmlDocument();
            string sXmlString;
            // get the form as an XML string
            sXmlString = oForm.GetAsXML();
            // load the form's XML string to the
            // XML document object
            oXmlDoc.LoadXml(sXmlString);
            // save the XML Document
            oXmlDoc.Save("C:\MySimpleForm.xml");
        public SimpleForm()
            // set this.mSBOApplication with an initialized application object
            SetApplication();
            // Create the simple form
            CreateMySimpleForm();
            oForm.Visible = true;
            // Save the form to an Xml document
            SaveAsXML();

Similar Messages

  • Need TP command for Add  Transport Request to import Queue all at a time

    Hi SAP gurus,
    Can you tell the o/s  or  TP  command  to  Add   Transport Request to import Queue all at a time which are available in co files directory   ,
    Because I have to add 500- 600 request .  For every request I canu2019t  do like this  STMS_IMPORT  -- Extras=> other requests -add--
    Thanks and regards
    babu

    Hi,
    You can export list of all transport requests from your DEV system in one shot, from SE09-> Display (provide your required selection criteria) -> Goto -> "Display as List"
    You can export these all Transport Requests as Spreadsheet. Then Filter out all your required 400 to 500 Transport Requests.
    Now,use another excel sheet to create a file with the list of required transport request Nos only, then concatenate all of them to generate the required TP commands as mentioned below.
    The syntax will become as follows:
    column1           column2         column3
    tp addtobuffer DEVK900123 <SID> pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp addtobuffer DEVK900124 <SID> pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp addtobuffer DEVK900125 <SID> pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp addtobuffer DEVK900126 <SID> pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp addtobuffer DEVK900127 <SID> pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp import          DEVK900123 <SID> client=### pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp import          DEVK900124 <SID> client=### pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp import          DEVK900125 <SID> client=### pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp import          DEVK900126 <SID> client=### pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    tp import          DEVK900127 <SID> client=### pf=<Drive>:\usr\sap\trans\bin\TP_DOMAIN_<SID>.PFL
    -> Open Notepad and Copy+Paste these three columns & save the text file in the <Drive>:\usr\sap\trans\bin\ folder.
    -> Then rename this .txt file to *.bat.
    -> open a command prompt and change to the <Drive>:\usr\sap\trans\bin\ folder and run the .bat batch file.
    Make sure that object lists of all the Trans. Requests are checked and confirmed for the transport to avoid data incosistency in target system. (e.g. Number Range Object)
    Regards,
    Bhavik G. Shroff

  • Need some sample for parameters in used in default Reports of SCOM

    Hi ,
    I am running Performance report for 2008 Servers from the Reporting Server Link (http:\\reportserver\reports), instead of SCOM console. I see below fields for which there are no documentation and i am not sure what data to provide in those , and it is mandatory
    too. Can you please help me out in providing an sample data or an Link for the documentation to this reports. The same will be different in SCOM console though and i don't know why. The parameters what i find here are not i find in Console of SCOM.
    [Start Date Base]
    [Start Date Offset Type]
    [Start Date Offset]
    [Time Type]
    S.Arun Prasath

    Start Date Base: refer to Form this week, this month, previous month
    Start Date Offset Type: whether your from date is today plus three day/month/week/quarter/year
    Start Date Offset: whether your from date is today 3/-1/4 day/month
    Time Type: whether using business time or not
    Roger

  • Need concrete sample for enhancements in ECC 6.0

    hi,
    I am not able to clearly understand this enhancement technique. For e.g. I go to ME21N and click on menu System--> status, click on the program name " SAPLMEGUI ". I see some enhancement points/spots.
    ENHANCEMENT-POINT SAPLMEGUI_01 SPOTS ES_SAPLMEGUI STATIC.
    $$-Start: SAPLMEGUI_01----
    $$
    ENHANCEMENT 42  OI0_COMMON_SAPLMEGUI.    "active version
    IS-OIL Class implementations
      INCLUDE oi_lmeguicioi.
    ENDENHANCEMENT.
    So how do I proceed further in order to enhance the code ? A clear explanation with any other example will
    also do. Step by step explanation is highly appreciated.
    what does that 42 mean there ? Also i saw somewhere the statement enhancement-secion , what does it mean ?
    thanks

    Hi,
    Check the links below for Enhancement framework documents.
    http://help.sap.com/saphelp_nw2004s/helpdata/en/94/9cdc40132a8531e10000000a1550b0/frameset.htm
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/9cd334f3-0a01-0010-d884-f56120039915
    https://www.sdn.sap.com/irj/sdn/developerareas/abap?rid=/webcontent/uuid/2342e1f3-0b01-0010-a186-fdd404884050 [original link is broken]
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/bb54c452-0801-0010-0e84-a653307fc6fc
    best point to start are the WebLogs of our product manger Thomas Weiss:
    https://www.sdn.sap.com/irj/sdn/wiki?path=/display/home/the%2bnew%2benhancement%2bframework%2band%2bthe%2bnew%2bkernel-based%2bbadi
    Regards
    Kiran Sure

  • Custom samples for read aloud books

    I have uploaded a fixed layout read-aloud book and it needed a custom sample before it could go into the IBookstore. Imade one and reuploaded but now it says I still need a sample for the origina l as well as the preview. What am I doing wrong? In the asset guide it says something about type="preview" I assume that means that I have to insert something in the metadata of the preview to say it is a preview Is this right? If so can anybody tell me exatly what I need to insert.
    Thanks in Advance
    Bagsybaker

    You're not doing anything wrong.  I used iTunesProducer and got the same message.  So I called the people at iTunesConnect and tech told me it says that but it showed on his end.  A week later my Children's ebook was in the iBookstore along with my sample being available.

  • Need a sample program for hierarchial oops ALV report

    Hello experts,
                     I Need a sample program for hierarchial oops ALV report.

    Hi,
       Check the following sample code...
    T A B L E S
    tables : ekko.
      data definition
    types : begin of ty_ekko,
              ebeln type ekko-ebeln,
              lifnr type ekko-lifnr,
              bsart type ekko-bsart,
              aedat type ekko-aedat,
              ernam type ekko-ernam,
            end of ty_ekko.
    types : begin of ty_eket,
               ebeln type ekpo-ebeln,
               ebelp type ekpo-ebelp,
               werks type ekpo-werks,
               matnr type ekpo-matnr,
               menge type eket-menge,
               wamng type eket-wamng,
               netpr type ekpo-netpr,
            end of ty_eket.
    data : it_ekko type table of ty_ekko,
           it_eket type table of ty_eket.
    data: ob_hieralv type ref to cl_salv_hierseq_table.
    data: it_binding type salv_t_hierseq_binding,
          is_binding type salv_s_hierseq_binding.
    S E L C T O P T I O N S
    select-options : s_ebeln for ekko-ebeln.
    S T A R T O F S E L E C T I O N
    start-of-selection.
    select ebeln
           lifnr
           bsart
           aedat
           ernam from ekko
    into corresponding fields of table it_ekko
    where ebeln in s_ebeln.
    if sy-subrc eq 0.
    select aebeln aebelp
           awerks amatnr
           bmenge bwamng
           a~netpr from ekpo as a join eket as b
                     on  amandt = bmandt
                     and aebeln = bebeln
                     and aebelp = bebelp
                   into corresponding fields of table it_eket
                  where a~ebeln in s_ebeln.
    endif.
    is_binding-master = 'EBELN'.
    is_binding-slave = 'EBELN'.
    append is_binding to it_binding.
    *TRY.
    call method cl_salv_hierseq_table=>factory
    exporting
    t_binding_level1_level2 = it_binding
    importing
    r_hierseq = ob_hieralv
    changing
    t_table_level1 = it_ekko
    t_table_level2 = it_eket .
    *CATCH cx_salv_data_error .
    *CATCH cx_salv_not_found .
    *ENDTRY.
    call method ob_hieralv->display( ).
    Cheers,
    Ram

  • Need some sample documents for DME development

    Hi,
    I need some sample documents for DME development. I expect any information covering developing DME formats and steps for downloading a DME file (this I need for checking my formats).
    please, send any relevant info you have to mail id mindaugas.kazlauskas at gmail.com
    Many thanks and reward points ahead!
    Regards,
    Mindaugas

    Hi,
    the main thing is that I need format with payment information structured in single column, like this:
    //separator//
    value1
    value2
    value3
    //separator//
    value1
    value2
    value3
    //separator//
    maybe there is any SAP format structured like this?
    Regards,
    Mindaugas

  • Need running java sample for sun access manager deployed on weblogic 8.1

    Hi All,
    I have deployed amserver.war in weblogic 8.1 through amserver.war.
    I am able to login through user amAdmin. It's working fine. I have used file system at the time of configuration of access manager.
    I want to communicate with the sunaccess manager deployed on weblogic through stand alone application. for example i want to access information stored in access manager from application by passing some input. What are the configuration that i need to do for this.
    Use case: I have created a subject(user) now i want to retrieve user information that is stored in access manager or want to authenticate the user by passing the user name and password from a stand alone java application.
    Thanks & Regs,
    Deepak Dabas
    [email protected]
    Edited by: Deepak.Dabas on Jan 16, 2008 9:37 PM

    Deepak.Dabas wrote:
    Hi All,
    I have deployed amserver.war in weblogic 8.1 through amserver.war.
    I am able to login through user amAdmin. It's working fine. I have used file system at the time of configuration of access manager.
    I want to communicate with the sunaccess manager deployed on weblogic through stand alone application. for example i want to access information stored in access manager from application by passing some input. What are the configuration that i need to do for this.
    Use case: I have created a subject(user) now i want to retrieve user information that is stored in access manager or want to authenticate the user by passing the user name and password from a stand alone java application.
    please refer http://docs.sun.com/app/docs/doc/819-4675/6n6qfk0ne?a=view#gbdlr
    http://docs.sun.com/app/docs/doc/819-2139/adubn?a=view
    you need to download the client samples SUNWamclnt from sun.com
    >
    Thanks & Regs,
    Deepak Dabas
    [email protected]
    Edited by: Deepak.Dabas on Jan 16, 2008 9:37 PM

  • Need a CS2 workaround - Add space for line at top of text box

    I need a way to add space before a line of text (it's a subheading kind of thing) which is the fist line in the text box, since "space before" in paragraph styles doesn't work for this. I'm stuck using CS2 at work, but I made the layout on CS4 at home that uses a workaround involving 0pt rules offset and the Keep in Frame option. This feature is not in CS2 (ugh).
    Any help is appreciated.

    A yucky way of pulling this off without CS3's (and later) "Keep Above Rule in Frame" could be to set the leading extra large. The default Baseline options for text frames is to ignore leading, but you can change it to use the leading. A drawback is that also impacts your regular text ...
    How about an even yuckier trick?
    1. Make the font extra extra large. InDesign ignores super-extra-big leading by default, but it does honor text size. To be precise: the text size that's in the character panel size box (this is important!). If you make the font extra extra large, this is the size that's going to be used.
    2. Now you have large text ... so scale it back down using the Horizontal and Vertical scale in the Advanced Character Formats. If you made the text twice as large, use 50% / 50% to scale it back.
    3. Done.
    I said it would be yuckie.

  • Need a cookbook for creating a compound Path

    Hello together,
    has anyone a short sample for creating a compund path with to pathes inside?
    This doesn't work:
    iErr = sAIArt->NewArt( kCompoundPathArt, kPlaceInsideOnBottom, firstLayerArtHnd, &newArtHnd);    
    iErr = sAIPath->SetPathClosed( newArtHnd, isClosed);
    //Adding segments
    // Adding one child
    iErr = sAIArt->NewArt( kPathArt, kPlaceInsideOnBottom, newArtHnd, &childArtHnd);
    //Adding segments to the child
    iErr = sAIPath->SetPathClosed( childArtHnd, isClosed);
    Should I first create a group? But how to change this group to an kCompoundPathArt Element?
    best reagrds
    Michael

    In the time I tried some variations and ended with this:
    // creating compound Object
    iErr = sAIArt->NewArt( kCompoundPathArt, kPlaceInsideOnBottom, firstLayerArtHnd, &newArtHnd);
    // inserting "Masterobject" (path wich surrounds the children)
    iErr = sAIArt->NewArt( kPathArt, kPlaceInsideOnBottom, newArtHnd, &childArtHnd);
    // creating and inserting children
    iErr = sAIArt->NewArt( kPathArt, kPlaceInsideOnBottom, newArtHnd, &childArtHnd);
    iErr = sAIArt->NewArt( kPathArt, kPlaceInsideOnBottom, newArtHnd, &childArtHnd);
    iErr = sAIArt->NewArt( kPathArt, kPlaceInsideOnBottom, newArtHnd, &childArtHnd);
    at least the result looks like what it should. It's a pitty that there ist no sample how to do it the right way from adobe. Or have I overseen it in "SnippetRunner" in the CS4 SDK. Would be a good place. I will add a request for the CS-Next Thread taht we need codesnippets for every function of the API (like it was in one of the very first SDKs of Freehand. They had a big word dokument which provided such stuff for every function).

  • Do We need access key for Additional Data B in VA01

    Hi all,I have to add fields in Additional Data B,I have searched SDN about it and came to know that it is screen '8459' of program 'SAPMV45A',but it is asking key for that,is it safe applying access key for this screen?
    Thanks in advance.

    >is it safe applying access key for this screen?
    yes it is safe. SAP provided the screen 8459 only for adding our own custom fields to it. For this you need access key for the first time. along with that you need access key for
    PBO include, PAI include
    MV45AOZZ ,MV45AIZZ .
    check it once.

  • HT201209 How to get an itunes gift card code, no need to wait for shipping

    Good day to all,
    I want to get an itunes gift card just to download whatsapp on my iphone 3gs. I have my credit card but the billing address is in Haiti, unfortunately Haiti is not in your list of  countries. How can I get itunes gift card code immediately in order to download that application? No need to wait for shipping, just want to have the code to add it to my apple account.
    If you have a better solution, it's welcome.
    Thank you in advance for your reply

    Sorry, but you can't, if you live in Haiti. As you say yourself, there is no iTunes Store for Haiti and you are not allowed to use the iTunes Store of any other country.
    If you live in a country where there is an iTunes Store, check to see if Apple sells physical gift cards in your country and if so purchase and redeem one of those. There is no way to purchase an electronic gift certificate from Apple without a credit card from the country whose iTunes Store you wish to use.
    Regards.

  • Need WXP drivers for Satellite A100 (PSAA9)

    Hiya,
    I've had to re-install Windows XP on my laptop. I don't have the Toshiba drivers CD though.
    So I came here to get the drivers but I've no idea which driver goes with which hardware in my Device Manager.
    Here's what I need the drivers for under Device Manager...
    Ethernet Controller
    Mass Storage Controller
    Network Controller
    PCI Device
    PCI Device (again)
    SM Bus Controller
    Can anyone advise which specific driver I need for each?
    Many thanks,
    James

    Thanks for you replies. I'd already come across that file, but it didn't give many clues. Here's the contents of it...
    Component List Satellite A100; Satellite Pro A100; Equium A100
    Contents and Installation order
    for Windows XPH
    Windows XP Home - Windows XP HE/Pro(English) Service Pack2(RTM)
    - VALUEADD folder Service Pack2(RTM)
    - SUPPORT folder Service Pack2(RTM)
    1 Microsoft Internet Explorer V6.0(SP2)
    2 DirectX V9.0c(SP2)
    3 Windows Media Player 10 V10.00.00.3646
    4 Windows Movie Maker V2.1.4026.0
    5 Step by Step Interactive Training(HE/Pro) 3.5.25/3.5.23
    6 SLP Module OEMSLP2.0 (523759)
    7 Microsoft .NET Framework V1.1.4322(SR1)
    8 Microsoft Office(R) OneNote(TM) 2003 V11.6360.6360 SP1
    9 Hotfix for OLE and COM could allow remote code execution KB873333
    10 Hotfix for Issue in HyperTerminal Could Allow Code Execution KB873339
    11 Hotfix for Cannot add Windows components in Windows XP KB884018
    12 Hotfix for Server Message Block Vulnerability KB885250
    13 Hotfix for Issue in Windows Kernel and LSASS KB885835
    14 Hotfix for Issue in WordPad Could Allow Code Execution KB885836
    15 Hotfix for Cannot use infrared port to transfer data KB885855
    16 Hotfix for Windows Firewall My Network (subnet) only KB886185
    17 Hotfix for ASP.NET Path Validation Vulnerability KB886903
    18 Hotfix for Security Update for Windows Messenger KB887472
    19 Hotfix for Vulnerability in Hyperlink Object Library KB888113
    20 Hotfix for Windows Could Allow Information Disclosure KB888302
    21 Hotfix for Hardware (DEP)-enabled computer KB889673
    22 Hotfix for Vulnerability in Microsoft agent KB890046
    24 Hotfix for Issue in HTML Help Could Allow Code Execution KB890175
    25 Hotfix for Vulnerabilities in Windows kernel KB890859
    26 Hotfix for The DHTML Editing Component ActiveX Control KB891781
    27 Hotfix for adding the Hibernate button KB893056
    28 Hotfix for Issues in TCP/IP Could Allow Remote Code Execution KB893066(V2)
    30 Hotfix for Wi-Fi Protected Access 2 (WPA2) KB893357
    31 Hotfix for Vulnerability in Telephony service KB893756
    32 Hotfix for The Microsoft Windows Installer 3.1 KB893803(V2)
    33 Hotfix for DBCS file names are not displayed KB894391
    34 Hotfix for File Signature Verification tool reports KB894871
    35 Hotfix for Availability of Windows XP COM KB895200
    36 Hotfix for A Windows XP SP2 computer with multiple processors KB896256(V3)
    37 Hotfix for Issue in HTML Help Could Allow Remote Code Execution KB896358
    38 Hotfix for Issue in Server Message Block KB896422
    39 Hotfix for Vulnerability in Print Spooler service KB896423
    40 Hotfix for Vulnerabilities in Graphics Rendering Engine KB896424
    41 Hotfix for Vulnerability in Telnet client KB896428
    42 Hotfix for Cumulative security update for Internet Explorer KB896688
    44 Hotfix for Vulnerability in step-by-step interactive training KB898458
    45 Hotfix for Vulnerabilities in Kerberos KB899587
    47 Hotfix for Vulnerability in the Client Service for NetWare KB899589
    48 Hotfix for Vulnerability in Remote Desktop Protocol KB899591
    49 Hotfix for Vulnerabilities in the Windows shell KB900725
    50 Hotfix for Vulnerability in the Microsoft Collaboration Data Objects KB901017(KB907245)
    51 Hotfix for Vulnerability in Microsoft Color Management Module KB901214
    52 Hotfix for Vulnerability in DirectShow KB904706
    53 Hotfix for Vulnerability in Network Connection Manager KB905414
    54 Hotfix for Vulnerability in Plug and Play KB905749
    55 Sun Java 2 Runtime Environment V1.5.0_04
    56 Intel(R) Chipset Software Installation Utility V7.2.1.1006
    57 Intel 945GM/940GML Display Driver V14.18.2.4436
    58 ATI ATI M52P/M54P/M56P Display Driver V8.204-051220a1-029876C
    59 Nvidia G72M/G72MV/G73M Display Driver V83.02
    60 TI PCI7411(6-in-1) Driver V2.0.0.4
    61 Synaptics Luxpad & TouchPad Driver V8.2.9_2
    62 Realtek Audio Driver with UAA Bus driver V5.10.0.5200
    63 TOSHIBA Software Modem SM2162ALD04
    64 Intel 10/100(Ekron)/GbE(Vidaria/Tekoa) Wired LAN Driver V8.0.21.101/V9.2.24
    65 Intel 802.11a/g Golan Driver V10.1.0.13a
    66 Atheros WirelessLAN 802.11a/g.g Driver V4.1.2.111.i129
    67 Intel PRoset Utility for Golan V10.1.0.2w61
    68 Atheros Client Utility for WirelessLAN 802.11a/g.g V4.1.1.231.i153
    69 Bluetooth Stack for Windows by Toshiba V4.00.23(T)
    70 Bluetooth Monitor V2.12
    71 UPEK Finger Print Utility V5.4.0 Build 2688
    72 TOSHIBA Common Modules V1.00.18ST
    73 TOSHIBA Hotkey Utility V1.00.01ST
    74 TOSHIBA Touchpad ON/OFF Utility V1.00.01ST
    75 TOSHIBA Utilities V1.00.07ST
    76 TOSHIBA Power Saver V7.03.07.I
    77 TPS init V1.0.4.0
    78 TOSHIBA SD Memory Card Format V2.1.0.0
    79 SD Secure Module V1.0.3
    80 TOSHIBA Assist V1.03.00
    81 TOSHIBA ConfigFree V5.90.05
    82 ConfigFree Demo Screen Saver V1.00.07
    83 TOSHIBA Virtual Sound V1.02.01
    84 TOSHIBA Speech System V1.00.2511
    85 TOSHIBA Zooming Utility V2.0.0.23c
    86 TOSHIBA Controls V3.22.2700
    87 TOSHIBA PC Diagnostic Tool V3.1.5
    88 Recovery Disc Creator for ExpressPlayer-Presto V1.1.0.5
    89 CD/DVD Acoustic Silencer V1.00.008
    90 DVD-RAM Driver V5.0.2.5
    91 InterVideo WinDVD V5.0B11.533-A1222 for ATI
    92 WinDVD Creator2 Platinum V2.0B014.376C33-NEN01
    93 Record Now! Basic for TOSHIBA V7.31 Build 731B20E
    94 DLA for TOSHIBA V5.20 Build 520B11C
    95 Adobe Reader V7.0.5
    96 TOSHIBA Skins for Windows Media Player V1.00.1121
    98 Norton AntiVirus 2006 V12.0.3
    99 TOSHIBA Offer(OEM Link) 10/26/2004
    100 TOSHIBA User's Manual V1.0
    101 TBIOS Driver V2.5USB1
    102 TOSHIBA SMBIOS ActiveX Control V1.3
    103 Microsoft and Toshiba Product Registration TCL_BC_WinXP_enu_09162004
    104 AOL V9.0 Update
    105 TOSHIBA Solutions V1.0
    106 Talk-2-Toshiba V1.0
    107 EULA file of Presto V1.0
    108 ISO file of Presto V1.0.020-202821
    109 Text file of Presto V1.0.020-202821
    110 NiHelper V2.0.0.0
    - ProtonPack Master Create Tool V3.01.00
    - ProtonPack Recovery Tool V3.01.00
    ...that 114 different items! And I can see a lot of those items are not mandatory and/or are not drivers. More to point though, it does not solve my problem of needing to know the names of the drivers I should download (as presented on the downloads page) in order to fix my Driver Manager problems?
    Cheers,
    James

  • Error while adding landed cost G/L account 5207010003      needs DR assignment for dimension 1;  fill in DR-related fields

    Error while adding landed cost G/L account 5207010003      needs DR assignment for dimension 1;  fill in DR-related fields

    Hi Rajesh
    Go to System Initilization =>  General Settings => Cost Accounting => Check the Dimension1 has Block Posting.
    Relase the Block and add the Document it will add.
    With Regards
    Balaji

  • Firefox "check for add-on updates" checks even when not selected, request website list for firewall blocking purposes

    I work for the Tech Department in a school district. Our student computers are locked down and all settings are reset after a restart. We have set firefox to always allow all add-ons to run and to never check for updates (we update them on a schedule we control). However, since the latest release, we have been prompted after EVERY flash AND EVERY java update that they are out of date and need to be updated. Having the students click on this every time for every affected webpage is no longer an option. We are also not interested in white-listing pages individually; instead, we would like to prevent firefox from finding the update server to prevent any further prompts.
    Please provide me with all of the websites/web addresses that "check for add-on updates" uses so we can block them at the firewall level.
    Thanks

    Part of the problem may be the recent flurry of required updates to FlashPlayer. As I understand it Mozilla took the exceptional step of blocklisting some of those FlashPlayer versions after fixes were released because there were known exploits in the wild.
    * See the blocklist
    * And flashplayers bulletins https://helpx.adobe.com/security.html#flashplayer
    Possibly you are having difficulty in keeping the software updated and so seeing valid warnings from Firefox. You appear (System info aside) to be posting using Firefox 34. The current Release is Fx35.0.1
    Possibly it would be worth you considering using Firefox ESR, that still has regular updates including backported critical security fixes, but the major version stays the same for longer and there are less frequent feature changes.
    * https://www.mozilla.org/en-US/firefox/organizations/faq/
    I will send links for a couple of other articles by Private Message.
    Steps that may be safe for an IT department may not be recommended for the average reader of this forum.

Maybe you are looking for

  • ITunes not reading ID3 tags correctly

    I have an album of mp3s, all correctly ID3 tagged (WinAMP and Windows Media Player read them fine), and when I try to add it into my iTunes library, it only add it as the filename. It does not read the artist, album, or track name from the tag. It is

  • Report - PO cost commitments on WBS/ Cost Center

    Hi guys- is there a report to list commitments from PO's against as cost centre and/or a WBS element

  • Daily trial balance

    Hi Gurus, Please assist with your suggestions on the following matter: My client  requires to generate a dialy trial balance. The challenge I am having is that GL Account balances are only analysed periodically in the standard SAP Reports. i.e. month

  • Disposition Area (MRP) in MM02 (BAPI_MATERIAL_SAVEDATA)

    Hi All, My mass upload program uses the FM BAPI_MATERIAL_SAVEDATA. Now I want to develope a mass upload program to create the disposition area of MRP. Q: Does someone know a FM or Global Class method that I can use for the mass upload program ?? Blac

  • Photoshop SDK beginner

    I am a college student at the local university. I am interested in graphic design and computer science. Programming my own filter has sparked my interest. I am determined to learn at least the basics. I know java and am learning C++. I have recently