Select problem during excuting SM35

Hi, all:
  i use BDC to extent material between plants by MM01.
  You know, there are some fields that will be gray if it has been filled in one plant,such as MARA-SPART,MARA-MTVFP.
  So when i use BDC i have to check if this field has value in table mara as one material.
  the code like this:
sales/plant
  perform bdc_dynpro      using 'SAPLMGMM' '5000'.
  perform bdc_field       using 'BDC_OKCODE'
                                '=BU'.
  clear tempc1.
  select single MTVFP from marc into tempc1 where matnr = SEQ_FILEH-matnr
                                              and werks = SEQ_FILEH-werks.
  if sy-subrc = 0 and not tempc1 is initial.
  else.
    perform bdc_field       using 'MARC-MTVFP'
                                  SEQ_FILEH-MTVFP.
  endif.
  above code runs well by call transaction. But when i use it in SM35, all materials can not be extended, because it gives the 'MARC-MTVFP' is not input field.
  this maybe the DB(mara) does not updated in-phase,
  any advice?

Hi,
I have encountered similar issues while updating some data in sales orders..Now call transaction works becoz the messages r suppressed.But iam doubtful about this as well if the values r being updated in MARA or not. Please check the bdcmsgcol table if ur getting the message which says "field not avaialable for input".
In general for this error maybe u can try to put validations for the cases when this field will be greyed out.U can skip that screen or not populate that field for this case.
I hope it helps.
Varun

Similar Messages

  • How to outline selected cells during drag and drop in the jtable

    Hi,
    I have spent a lot of time to find out how to outline selected cells during drag in the jtable, but I did not find the answer.
    Can anybody give me a tip, where to read more about this problem or even better, give an example...
    I have the following situation:
    1.Table has 10 rows and 10 columns
    2.setSelectionMode(ListSelectionModel.SINGLE_INTERVAL_SELECTION) and setCellSelectionEnabled(true)
    3.user select 5 cells in 4th row (for example cell45,cell46,cell47,cell48 and cell49)
    4.user starts dragging. During dragging an outline should be drawn. Outline should be a rectangular with width of 5 cells and height of one cell. Outline should move according to the mouse position.
    5.rectangular disappears when dropped
    Regards,
    Primoz

    In "createTransferable" you can create a drag image
    which you can paint in "dragOver" and clear in "drop" method of DropTarget :
    package dnd;
    * DragDropJTableCellContents.java
    import javax.swing.*;
    import javax.swing.border.*;
    import javax.swing.table.*;
    import java.awt.*;
    import java.awt.datatransfer.*;
    import java.awt.dnd.*;
    import java.awt.event.*;
    import java.awt.image.BufferedImage;
    import java.io.IOException;
    public class DragDropJTableCellContents extends JFrame {
        public DragDropJTableCellContents() {
            setTitle("Drag and Drop JTable");
            setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            getContentPane().add(createTable("JTable"), BorderLayout.CENTER);
            setSize(400, 300);
            setLocationRelativeTo(null);
        private JPanel createTable(String tableId) {
            DefaultTableModel model = new DefaultTableModel();
            for (int i = 0; i < 10; i++) {
                model.addColumn("Column "+i);
            for (int i = 0; i < 10; i++) {
                String[] rowData = new String[10];
                for (int j = 0; j < 10; j++) {
                    rowData[j] = tableId + " " + i + j;
                model.addRow(rowData);
            JTable table = new JTable(model);
            table.getTableHeader().setReorderingAllowed(false);
            table.setSelectionMode(ListSelectionModel.SINGLE_INTERVAL_SELECTION);
            table.setCellSelectionEnabled(true);
            JScrollPane scrollPane = new JScrollPane(table);
            table.setDragEnabled(true);
            TableTransferHandler th = new TableTransferHandler();
            table.setTransferHandler(th);
            table.setDropTarget(new TableDropTarget(th));
            table.setAutoResizeMode(JTable.AUTO_RESIZE_OFF);
            JPanel panel = new JPanel(new BorderLayout());
            panel.add(scrollPane);
            panel.setBorder(BorderFactory.createTitledBorder(tableId));
            return panel;
        public static void main(String[] args) {
            new DragDropJTableCellContents().setVisible(true);
        abstract class StringTransferHandler extends TransferHandler {
            public int dropAction;
            protected abstract String exportString(JComponent c);
            protected abstract void importString(JComponent c, String str);
            @Override
            protected Transferable createTransferable(JComponent c) {
                return new StringSelection(exportString(c));
            @Override
            public int getSourceActions(JComponent c) {
                return COPY;
            @Override
            public boolean importData(JComponent c, Transferable t) {
                if (canImport(c, t.getTransferDataFlavors())) {
                    try {
                        String str = (String) t.getTransferData(DataFlavor.stringFlavor);
                        importString(c, str);
                        return true;
                    } catch (UnsupportedFlavorException ufe) {
                    } catch (IOException ioe) {
                return false;
            @Override
            public boolean canImport(JComponent c, DataFlavor[] flavors) {
                for (int ndx = 0; ndx < flavors.length; ndx++) {
                    if (DataFlavor.stringFlavor.equals(flavors[ndx])) {
                        return true;
                return false;
        class TableTransferHandler extends StringTransferHandler {
            private int dragRow;
            private int[] dragColumns;
            private BufferedImage[] image;
            private int row;
            private int[] columns;
            public JTable target;
            @Override
            protected Transferable createTransferable(JComponent c) {
                JTable table = (JTable) c;
                dragRow = table.getSelectedRow();
                dragColumns = table.getSelectedColumns();
                createDragImage(table);
                return new StringSelection(exportString(c));
            protected String exportString(JComponent c) {
                JTable table = (JTable) c;
                row = table.getSelectedRow();
                columns = table.getSelectedColumns();
                StringBuffer buff = new StringBuffer();
                for (int j = 0; j < columns.length; j++) {
                    Object val = table.getValueAt(row, columns[j]);
                    buff.append(val == null ? "" : val.toString());
                    if (j != columns.length - 1) {
                        buff.append(",");
                return buff.toString();
            protected void importString(JComponent c, String str) {
                target = (JTable) c;
                DefaultTableModel model = (DefaultTableModel) target.getModel();
                String[] values = str.split("\n");
                int colCount = target.getSelectedColumn();
                int max = target.getColumnCount();
                for (int ndx = 0; ndx < values.length; ndx++) {
                    String[] data = values[ndx].split(",");
                    for (int i = 0; i < data.length; i++) {
                        String string = data;
    if(colCount < max){
    model.setValueAt(string, target.getSelectedRow(), colCount);
    colCount++;
    public BufferedImage[] getDragImage() {
    return image;
    private void createDragImage(JTable table) {
    if (dragColumns != null) {
    try {
    image = new BufferedImage[dragColumns.length];
    for (int i = 0; i < dragColumns.length; i++) {
    Rectangle cellBounds = table.getCellRect(dragRow, i, true);
    TableCellRenderer r = table.getCellRenderer(dragRow, i);
    DefaultTableModel m = (DefaultTableModel) table.getModel();
    JComponent lbl = (JComponent) r.getTableCellRendererComponent(table,
    table.getValueAt(dragRow, dragColumns[i]), false, false, dragRow, i);
    lbl.setBounds(cellBounds);
    BufferedImage img = new BufferedImage(lbl.getWidth(), lbl.getHeight(),
    BufferedImage.TYPE_INT_ARGB_PRE);
    Graphics2D graphics = img.createGraphics();
    graphics.setComposite(AlphaComposite.getInstance(AlphaComposite.SRC_OVER, 1f));
    lbl.setBorder(BorderFactory.createLineBorder(Color.LIGHT_GRAY));
    lbl.paint(graphics);
    graphics.dispose();
    image[i] = img;
    } catch (RuntimeException re) {
    class TableDropTarget extends DropTarget {
    private Insets autoscrollInsets = new Insets(20, 20, 20, 20);
    private Rectangle rect2D = new Rectangle();
    private TableTransferHandler handler;
    public TableDropTarget(TableTransferHandler h) {
    super();
    this.handler = h;
    @Override
    public void dragOver(DropTargetDragEvent dtde) {
    handler.dropAction = dtde.getDropAction();
    JTable table = (JTable) dtde.getDropTargetContext().getComponent();
    Point location = dtde.getLocation();
    int row = table.rowAtPoint(location);
    int column = table.columnAtPoint(location);
    table.changeSelection(row, column, false, false);
    paintImage(table, location);
    autoscroll(table, location);
    super.dragOver(dtde);
    public void dragExit(DropTargetDragEvent dtde) {
    clearImage((JTable) dtde.getDropTargetContext().getComponent());
    super.dragExit(dtde);
    @Override
    public void drop(DropTargetDropEvent dtde) {
    Transferable data = dtde.getTransferable();
    JTable table = (JTable) dtde.getDropTargetContext().getComponent();
    clearImage(table);
    handler.importData(table, data);
    super.drop(dtde);
    private final void paintImage(JTable table, Point location) {
    Point pt = new Point(location);
    BufferedImage[] image = handler.getDragImage();
    if (image != null) {
    table.paintImmediately(rect2D.getBounds());
    rect2D.setLocation(pt.x - 15, pt.y - 15);
    int wRect2D = 0;
    int hRect2D = 0;
    for (int i = 0; i < image.length; i++) {
    table.getGraphics().drawImage(image[i], pt.x - 15, pt.y - 15, table);
    pt.x += image[i].getWidth();
    if (hRect2D < image[i].getHeight()) {
    hRect2D = image[i].getHeight();
    wRect2D += image[i].getWidth();
    rect2D.setSize(wRect2D, hRect2D);
    private final void clearImage(JTable table) {
    table.paintImmediately(rect2D.getBounds());
    private Insets getAutoscrollInsets() {
    return autoscrollInsets;
    private void autoscroll(JTable table, Point cursorLocation) {
    Insets insets = getAutoscrollInsets();
    Rectangle outer = table.getVisibleRect();
    Rectangle inner = new Rectangle(outer.x + insets.left,
    outer.y + insets.top,
    outer.width - (insets.left + insets.right),
    outer.height - (insets.top + insets.bottom));
    if (!inner.contains(cursorLocation)) {
    Rectangle scrollRect = new Rectangle(cursorLocation.x - insets.left,
    cursorLocation.y - insets.top,
    insets.left + insets.right,
    insets.top + insets.bottom);
    table.scrollRectToVisible(scrollRect);
    Edited by: Andre_Uhres on Nov 18, 2007 10:03 PM

  • Problem during installation of  NW7.0 SR3 on Windows x64

    Hello all,
    I have a problem during the installation of a new central instance.
    During the phase 38 "Install Software units", SAPINST shows that logs :
    Jul 30, 2008 1:41:10 PM  Info: Ending deployment prerequisites. All items are correct.
    Jul 30, 2008 1:41:11 PM  Info: Saved current Engine state.
    Jul 30, 2008 1:41:11 PM  Info: Starting: Initial deployment: Selected development component 'caf/eu/gp/model/eap'/'sap.com'/'MAIN_APL70VAL_C'/'1497904'/'5' will be deployed.
    Jul 30, 2008 1:41:11 PM  Info: SDA to be deployed: D:\usr\sap\PAD\DVEBMGS00\SDM\root\origin\sap.com\caf\eu\gp\model\eap\MAIN_APL70VAL_C\5\1497904\cafeugpmodeleap.sda
    Jul 30, 2008 1:41:11 PM  Info: Software type of SDA: J2EE
    Jul 30, 2008 1:41:11 PM  Info: ***** Begin of SAP J2EE Engine Deployment (J2EE Application) *****
    Jul 30, 2008 1:41:13 PM  Info: Begin of log messages of the target system:
    08/07/30 13:41:11 -  ***********************************************************
    08/07/30 13:41:12 -  Start updating EAR file...
    08/07/30 13:41:12 -  start-up mode is lazy
    08/07/30 13:41:12 -  EAR file updated successfully for 250ms.
    08/07/30 13:41:12 -  Start deploying ...
    08/07/30 13:41:12 -  EAR file uploaded to server for 93ms.
    08/07/30 13:41:13 -  ERROR: NOT deployed. The Deploy Service returned the following error:
                         For detailed information see the log file of the Deploy Service.
                         Exception is:
                         com.sap.engine.services.rmi_p4.P4RuntimeException: Unexpected exception.
                              Nested exception is:
                              java.net.SocketException: Connection reset
                         java.net.SocketException: Connection reset
                              at java.net.SocketInputStream.read(SocketInputStream.java:168)
                              at com.sap.engine.services.rmi_p4.Connection.run(Connection.java:395)
                              at java.lang.Thread.run(Thread.java:534)
    08/07/30 13:41:13 -  ***********************************************************
    Jul 30, 2008 1:41:13 PM  Info: End of log messages of the target system.
    Jul 30, 2008 1:41:13 PM  Info: ***** End of SAP J2EE Engine Deployment (J2EE Application) *****
    Jul 30, 2008 1:41:13 PM  Error: Aborted: development component 'caf/eu/gp/model/eap'/'sap.com'/'MAIN_APL70VAL_C'/'1497904'/'5', grouped by software component 'SAP-EU'/'sap.com'/'MAIN_APL70VAL_C'/'1000.7.00.14.0.20071210153525''/'5':
    Caught exception during application deployment from SAP J2EE Engine's deploy API:
    com.sap.engine.deploy.manager.DeployManagerException: ERROR: NOT deployed. The Deploy Service returned the following error: com.sap.engine.services.rmi_p4.P4RuntimeException: Unexpected exception.
         Nested exception is:
         java.net.SocketException: Connection reset
    Exception is:
    com.sap.engine.services.rmi_p4.P4RuntimeException: Unexpected exception.
         Nested exception is:
         java.net.SocketException: Connection reset
    java.net.SocketException: Connection reset
         at java.net.SocketInputStream.read(SocketInputStream.java:168)
         at com.sap.engine.services.rmi_p4.Connection.run(Connection.java:395)
         at java.lang.Thread.run(Thread.java:534)
    (message ID: com.sap.sdm.serverext.servertype.inqmy.extern.EngineApplOnlineDeployerImpl.performAction(DeploymentActionTypes).DMEXC)
    Jul 30, 2008 1:41:13 PM  Info: Starting to save the repository
    Jul 30, 2008 1:41:13 PM  Info: Finished saving the repository
    What can I do to validate that step ?
    Thanks in advance,
    Edited by: Alexandre Belgrand on Jul 30, 2008 1:48 PM

    Hi,
    I had same problem.i resolved it by reinstalling OS and configuring high Page file.
    Please set the max and min Page file size of same value.
    and also do the java memory tuning as per SAP Notes.
    Regards,
    Sandeep Nayak

  • Problem during installation of Integration (SAP BO 2007) with CLUSTER

    I've a problem during the installation of SAP BO Integration version 2007 SP00 PL15.
    The InstallShield Wizard make a test to connection to SQL Server database SBO-COMMON and the test have a negative result:
    "Unable to connect to database; verify database server name and that database is started".
    I've alredy installed the integration without problem on a normal server, but this problem is on a cluster.
    More information of the system are:
    - Windows enterprise 2003 SP1 (2 server cluster fail over)
    - SQL Server 2005 SP2 (cluster)
    It seems that it can't find the SQL on the cluster.
    Thanks and help me!

    dear Teun,
    Is important to know well SQL Server 2005.
    Go to Programs->MS SQL Server 2005-> Configuration tools-> SQL Server Configuration Manager.
    Into the window, select: SQL Server 2005 Network Configuration -> Protocols for MSSQLSERVER > TCP/IP
    Here, you must set the IP address of your server (Ex. 192.168.0.55), not Dynamics Address.
    In the "all" instance, specify the Dynamic port 1433.
    Now, you can install Integration without problems (is not necessary set the node name in tha installation wizard, because the system is not able to select it)
    Regards
    Flavio

  • Problem during installation of EHP4 on IDES with preinstalled EHP3

    I have a problem during installation of EHP4 on IDES with preinstalled EHP3(I got it with media sent last year in april).
    Namely during PREP_EXTENSION/EHP_INCLUSION! phase i got error:
    Severe error(s) occured in phase PREP_EXTENSION/EHP_INCLUSION!
    Last error code set: Component 'WEBCUIF' not found
    When checking components of ECC system I did not found 'WEBCUIF' component whereas in xml file (generated by SOLMAN) it exists. Which direction I should take. I am afraid to delete entries in xml file.
    I need help

    When checking components of ECC system I did not found 'WEBCUIF' component whereas in xml file (generated by SOLMAN) it exists. Which direction I should take. I am afraid to delete entries in xml file.
    You need to download and install all requirements as selected by Solution Manager for EHP4, WEBCUIF is a required component. Do not delete any entries in the xml file.
    Nelis

  • Problem During NWDS start up

    Hi all,
        I have installed Net weaver IDE in my system.Now i have started my IDE by clicking on the icon. It was shown me a Browse option to select workspace. I have selected default workspace. But it is giving me an error saying :
    Problem during startup and check the .log file in the .metadata directory of ur workspace.
    when i open the .log file it is showing the errors.....
    !SESSION -
    !ENTRY org.eclipse.core.launcher 4 0 Aug 26, 2006 10:21:30.44
    !MESSAGE Exception launching the Eclipse Platform:
    !STACK
    java.lang.reflect.InvocationTargetException
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:324)
         at com.sap.ide.eclipse.startup.Main.basicRun(Main.java:291)
         at com.sap.ide.eclipse.startup.Main.run(Main.java:789)
         at com.sap.ide.eclipse.startup.Main.main(Main.java:607)
    Caused by: java.lang.reflect.InvocationTargetException
         at org.eclipse.core.internal.boot.InternalBootLoader.run(InternalBootLoader.java:861)
         at org.eclipse.core.boot.BootLoader.run(BootLoader.java:461)
         ... 7 more
    Caused by: java.lang.UnsatisfiedLinkError: Native Library C:\Program Files\SAP\JDT\eclipse\plugins\org.eclipse.swt.win32_2.1.2\os\win32\x86\swt-win32-2135.dll already loaded in another classloader
         at java.lang.ClassLoader.loadLibrary0(ClassLoader.java:1551)
         at java.lang.ClassLoader.loadLibrary(ClassLoader.java:1495)
         at java.lang.Runtime.loadLibrary0(Runtime.java:788)
         at java.lang.System.loadLibrary(System.java:834)
         at org.eclipse.swt.internal.Library.loadLibrary(Library.java:108)
         at org.eclipse.swt.internal.win32.OS.<clinit>(OS.java:46)
         at org.eclipse.swt.widgets.Display.internal_new_GC(Display.java:1291)
         at org.eclipse.swt.graphics.Device.init(Device.java:547)
         at org.eclipse.swt.widgets.Display.init(Display.java:1316)
         at org.eclipse.swt.graphics.Device.<init>(Device.java:96)
         at org.eclipse.swt.widgets.Display.<init>(Display.java:291)
         at org.eclipse.swt.widgets.Display.<init>(Display.java:287)
         at org.eclipse.ui.internal.Workbench.run(Workbench.java:1361)
         at com.tssap.util.startup.WBLauncher.run(WBLauncher.java:79)
         at org.eclipse.core.internal.boot.InternalBootLoader.run(InternalBootLoader.java:858)
         ... 8 more
    !SESSION Aug 26, 2006 10:32:06.10 -
    java.version=1.4.2_12
    java.vendor=Sun Microsystems Inc.
    BootLoader constants: OS=win32, ARCH=x86, WS=win32, NL=en_US
    Command-line arguments: -os win32 -ws win32 -arch x86 -feature com.sap.java.ide C:\j2sdk1.4.2_12\bin\javaw.exe
    -Xmx512m
    -Xms128m
    -XX:PermSize=32m
    -XX:MaxPermSize=128m
    -DallUserDir='C:\Documents and Settings\All Users\Application Data'
    -cp C:\Program Files\SAP\JDT\eclipse\SapStartup.jar com.sap.ide.eclipse.startup.Main
    -os win32
    -ws win32
    -arch x86
    -feature com.sap.java.ide
    -showsplash C:\Program Files\SAP\JDT\eclipse\SapIde.exe -showsplash 600  -data C:\Documents and Settings\javadev0014\Documents\SAP\workspace -install file:C:/Program Files/SAP/JDT/eclipse/
    !ENTRY Startup 1 0 Aug 26, 2006 10:32:06.10
    !MESSAGE Sap NetWeaver Developer Studio - Build: 200503040130
    Sap Internal Installation
    !SESSION -
    !ENTRY org.eclipse.core.launcher 4 0 Aug 26, 2006 10:32:10.885
    !MESSAGE Exception launching the Eclipse Platform:
    !STACK
    java.lang.reflect.InvocationTargetException
         at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
         at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
         at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
         at java.lang.reflect.Method.invoke(Method.java:324)
         at com.sap.ide.eclipse.startup.Main.basicRun(Main.java:291)
         at com.sap.ide.eclipse.startup.Main.run(Main.java:789)
         at com.sap.ide.eclipse.startup.Main.main(Main.java:607)
    Caused by: java.lang.reflect.InvocationTargetException
         at org.eclipse.core.internal.boot.InternalBootLoader.run(InternalBootLoader.java:861)
         at org.eclipse.core.boot.BootLoader.run(BootLoader.java:461)
         ... 7 more
    Caused by: java.lang.UnsatisfiedLinkError: Native Library C:\Program Files\SAP\JDT\eclipse\plugins\org.eclipse.swt.win32_2.1.2\os\win32\x86\swt-win32-2135.dll already loaded in another classloader
         at java.lang.ClassLoader.loadLibrary0(ClassLoader.java:1551)
         at java.lang.ClassLoader.loadLibrary(ClassLoader.java:1495)
         at java.lang.Runtime.loadLibrary0(Runtime.java:788)
         at java.lang.System.loadLibrary(System.java:834)
         at org.eclipse.swt.internal.Library.loadLibrary(Library.java:108)
         at org.eclipse.swt.internal.win32.OS.<clinit>(OS.java:46)
         at org.eclipse.swt.widgets.Display.internal_new_GC(Display.java:1291)
         at org.eclipse.swt.graphics.Device.init(Device.java:547)
         at org.eclipse.swt.widgets.Display.init(Display.java:1316)
         at org.eclipse.swt.graphics.Device.<init>(Device.java:96)
         at org.eclipse.swt.widgets.Display.<init>(Display.java:291)
         at org.eclipse.swt.widgets.Display.<init>(Display.java:287)
         at org.eclipse.ui.internal.Workbench.run(Workbench.java:1361)
         at com.tssap.util.startup.WBLauncher.run(WBLauncher.java:79)
         at org.eclipse.core.internal.boot.InternalBootLoader.run(InternalBootLoader.java:858)
         ... 8 more
    can anyone guide me in this issue.
    Thanks&Regards
        Kiran

    Hi
    Try to change the workspace and open it
    See this help
    http://help.sap.com/saphelp_nw2004s/helpdata/en/55/434e782e2f294ba490eccbc0e5a6fc/frameset.htm
    Kind Regards
    Mukesh

  • Problem during the setting the query data source name in forms 6i

    We are now doing assignments in forms 6i actually there is a problem during setting the query data source name in run time.
    The problem is
    declare
    v_query varchar2(200),
    begin
    v_query :='(select empno,ename,deptno from emp where hiredate =' || control .value1 ||')';
    go_block('emp');
    set_block_property('emp',query_data_source_name,v_query);
    end;
    that bolded area is the problem that ia varchar value the single qoutes embedded with that value.how can i embedded single qoutes in that concatenation.
    That is now query will run like select empno,ename,deptno from emp where hiredate =control.value
    But we need like select empno,ename,deptno from emp where hiredate ='control.value'
    Message was edited by:
    Punithavel

    Thanks for your response
    We fixed the error
    and the answer is
    declare
    v_query varchar2(200),
    begin
    v_query :='(select empno,ename,deptno from emp where hiredate = ' ' ' || control .value1 ||' ' ' ) ' ;
    go_block('emp');
    set_block_property('emp',query_data_source_name,v_query);
    end;

  • Problem during Add row in View Object : View Row of Key Not found

    Hello,
    I'm facing this problem during insert of new row in the view object. I'm having 2 entities that belong to the same DB table (I need this because one is required with the composition assoc and the other one without it).
    I have three tables, COMPANY, USERS and PRIVILEGES.
    Company (1) to USERS (N)
    USERS (1) to PRIVILGES (N)
    While adding users for a specific company , i get this error msg.
    P.S: I'm not getting this error, if i add company, then user. Only if i directly add users i'm getting this error.
    04/11/27 19:31:46 [12511] DCUtil.RETURNING oracle.jbo.uicli.binding.JUFormBinding
    04/11/27 19:31:46 [12512] **** refreshControl() for BindingContainer :new_cuserUIModel
    04/11/27 19:31:46 [12513] *** DCDataControl.sync() called from :DCBindingContainer.refresh
    04/11/27 19:31:46 [12514] Decompressed BC state:BCST:Reousers1View1Iterator=0001000000042D323535,UsertypeView1Iterator=0001000000124141414B6639414142414141537653414141,StatesView1Iterator=0001000000124141414B5A77414142414141536643414141,
    04/11/27 19:31:46 [12515] **** refreshControl() for BindingContainer :new_cuserUIModel
    04/11/27 19:31:46 [12516] *** DCDataControl.sync() called from :DCBindingContainer.refresh
    04/11/27 19:31:46 [12517] Column count: 21
    04/11/27 19:31:46 [12518] ViewObject: Reousers1View_254_findByKey_ close prepared statements...
    04/11/27 19:31:46 [12519] ViewObject: Reousers1View_254_findByKey_ Created new QUERY statement
    04/11/27 19:31:46 [12520] SELECT Reousers1.USERID, Reousers1.CID, Reousers1.UTYPE, Reousers1.DESIGNATION, Reousers1.NAME, Reousers1.ADDRESS, Reousers1.CITY, Reousers1.STATE, Reousers1.ZIP, Reousers1.EMAIL, Reousers1.TEL, Reousers1.FAX, Reousers1.WEBSITE, Reousers1.ENTRY FROM REOUSERS Reousers1 WHERE (Reousers1.USERID = :1)
    04/11/27 19:31:46 [12521] Bind params for ViewObject: Reousers1View_254_findByKey_
    04/11/27 19:31:46 [12522] Binding param 1: -255
    04/11/27 19:31:46 [12523] OracleSQLBuilder Executing Select on: REOUSERS (false)
    04/11/27 19:31:46 [12524] Built select: 'SELECT USERID, CID, UTYPE, DESIGNATION, NAME, ADDRESS, CITY, STATE, ZIP, EMAIL, TEL, FAX, WEBSITE, ENTRY FROM REOUSERS Reousers1'
    04/11/27 19:31:46 [12525] Executing FAULT-IN...SELECT USERID, CID, UTYPE, DESIGNATION, NAME, ADDRESS, CITY, STATE, ZIP, EMAIL, TEL, FAX, WEBSITE, ENTRY FROM REOUSERS Reousers1 WHERE USERID=:1
    oracle.jbo.RowNotFoundException: JBO-25020: View row of key oracle.jbo.Key[-255 ] not found in Reousers1View1.

    Hi Timo,
    once again thanks for ur reply.
    as my vo are based on procedure, i know that i can't update the table using them.
    i only wanted to insert the rows in the vo and show it to user (only for selection purpose).
    Now my problem is sorted as i have changed the code like this-
    Row new_row=vo1.createRow();
    new_row.setAttribute(index,vo2.getAttribute(index)) ;
    vo1.insertRow(new_row);
    Earlier i was only inserting a new row, without creating any row.
    Thanks a lot.

  • Program displaying technical codes in the selection screen during execution

    Hi Gurus
    I am facing problem during the execution of the newly created program that during execution of program selection screen is displaying technical codes.
    from where to change the settings so that it should show the description
    Regrads
    Manvir

    Hi ,
    goto se38 ..give ur code name and select change...now on the top u will see Goto..
    follow this path Goto >Text Elements > Selection text.
    Now you can give the name u want..
    regards,
    Anuj

  • Filemap problem during install

    Hello guys
    I have following problem during install, everything goes fine and installer even does some "instalation" but after its at 5% or so it jumps to 100% and brings me to screen to select products.jar, i repeate same steps, and basicly it makes me loop
    my err file has this info:
    java.io.FileNotFoundException: /oracle/usr/oracle/oraInventory/filemap/./files.map (No such file or directory)
    at java.io.FileOutputStream.open(Native Method)
    at java.io.FileOutputStream.<init>(FileOutputStream.java:179)
    at java.io.FileOutputStream.<init>(FileOutputStream.java:70)
    at java.io.FileWriter.<init>(FileWriter.java:46)
    at oracle.sysman.oii.oiii.OiiiFileMapEntry.save(OiiiFileMapEntry.java:570)
    at oracle.sysman.oii.oiii.OiiiFileMap.saveImpl(OiiiFileMap.java:452)
    at oracle.sysman.oii.oiii.OiiiFileMap.saveLeastUsed(OiiiFileMap.java:427)
    at oracle.sysman.oii.oiii.OiiiFileMapInventory.saveLeastUsed(OiiiFileMapInventory.java:156)
    at oracle.sysman.oii.oiic.OiicInstallActionsPhase.executeProductPhases(OiicInstallActionsPhase.java:2349)
    at oracle.sysman.oii.oiic.OiicInstallActionsPhase.doInstalls(OiicInstallActionsPhase.java:2052)
    at oracle.sysman.oii.oiic.OiicInstallActionsPhase$OiInstRun.run(OiicInstallActionsPhase.java:2945)
    at java.lang.Thread.run(Thread.java:534)
    Thank you very much in advance

    fixed it by touching file

  • Curve 9300 error message: there was a problem during installati​on. Please try again when using app world

    hi 
    I have a curve 9300 using os 6 and the latest app world 2.1.1.. something
    when i try to download apps it initiates the download then after a couple of seconds after starting it shows the error message "there was a problem during installation. Please try again"
    i have tried ALL the suppourt forums (KB26671 and KB30074) and suggestions/threads and called my network but none have worked. 
    these were reinstallign app world, making a new blackberry id as the other email address was associated with an old blackberry, security wiping the phone then restoring it and entering the new bb id, changing the date to 2014 and then hard wiping the phone and restoring it
    i have twitter, facebook and bbm ect apps but these are RIM made i think and already preinstalled. everything else on the phone works fine
    i have tried both wifi and network internet and battery pull
    i really dont know what else to try or who else to contact to fix it. very annoying paying for a service you cant even use!
    any help or more ideas would be great! 
    thanks

    Hello carckberrypie,
    In this case i would recommend wiping the BlackBerry smartphone. To do this we would need to back up the BlackBerry smartphone http://bit.ly/aSediX
    Once backed up please follow the link below to perform a security wipe of your BlackBerry smartphone.
    Link: http://www.blackberry.com/btsc/KB14058
    Test the BlackBerry smartphone and proceed with a selective restore as outlined below.
    Link: http://www.blackberry.com/btsc/KB10339
    Thank you
    -DrP
    Come follow your BlackBerry Technical Team on Twitter! @BlackBerryHelp
    Be sure to click Kudos! for those who have helped you.
    Click Solution? for posts that have solved your issue(s)!

  • Problem to excute Applet

    I have problem to excute my applet, can anybody give me a tip what to do. Here is the program.
    package release0;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import com.borland.jbcl.layout.*;
    import com.borland.dbswing.*;
    import com.borland.dx.sql.dataset.*;
    public class Frame1 extends JFrame {
    JPanel contentPane;
    Applet1 Submit;
    String ID_ADR ,sql,ID_PR,Name;
    JMenuBar jMenuBar1 = new JMenuBar();
    JMenu jMenuFile = new JMenu();
    JMenuItem jMenuFileExit = new JMenuItem();
    JMenu jMenuHelp = new JMenu();
    JMenuItem jMenuHelpAbout = new JMenuItem();
    JToolBar jToolBar = new JToolBar();
    JButton jButton1 = new JButton();
    JButton jButton2 = new JButton();
    JButton jButton3 = new JButton();
    ImageIcon image1;
    ImageIcon image2;
    ImageIcon image3;
    JLabel statusBar = new JLabel();
    JPanel jPanel1 = new JPanel();
    JPanel jPanel2 = new JPanel();
    JLabel jLabel1 = new JLabel();
    JTextField jTextField1 = new JTextField();
    JButton jButton4 = new JButton();
    JLabel jLabel2 = new JLabel();
    JTextField jTextField2 = new JTextField();
    TableScrollPane tableScrollPane1 = new TableScrollPane();
    JdbTable jdbTable1 = new JdbTable();
    Database database1 = new Database();
    QueryDataSet queryDataSet1 = new QueryDataSet();
    QueryDataSet queryDataSet2 = new QueryDataSet();
    GridBagLayout gridBagLayout1 = new GridBagLayout();
    GridBagLayout gridBagLayout2 = new GridBagLayout();
    GridBagLayout gridBagLayout3 = new GridBagLayout();
    /**Construct the frame*/
    public Frame1() {
    enableEvents(AWTEvent.WINDOW_EVENT_MASK);
    try {
    jbInit();
    catch(Exception e) {
    e.printStackTrace();
    /**Component initialization*/
    private void jbInit() throws Exception {
    image1 = new ImageIcon(release0.Frame1.class.getResource("openFile.gif"));
    image2 = new ImageIcon(release0.Frame1.class.getResource("closeFile.gif"));
    image3 = new ImageIcon(release0.Frame1.class.getResource("help.gif"));
    //setIconImage(Toolkit.getDefaultToolkit().createImage(Frame1.class.getResource("[Your Icon]")));
    contentPane = (JPanel) this.getContentPane();
    contentPane.setLayout(gridBagLayout1);
    this.setSize(new Dimension(483, 331));
    this.setTitle("Frame Title");
    statusBar.setText(" ");
    jMenuFile.setText("File");
    jMenuFileExit.setText("Exit");
    jMenuFileExit.addActionListener(new ActionListener() {
    public void actionPerformed(ActionEvent e) {
    jMenuFileExit_actionPerformed(e);
    jMenuHelp.setText("Help");
    jMenuHelpAbout.setText("About");
    jMenuHelpAbout.addActionListener(new ActionListener() {
    public void actionPerformed(ActionEvent e) {
    jMenuHelpAbout_actionPerformed(e);
    jButton1.setIcon(image1);
    jButton1.setToolTipText("Open File");
    jButton2.setIcon(image2);
    jButton2.setToolTipText("Close File");
    jButton3.setIcon(image3);
    jButton3.setToolTipText("Help");
    jPanel1.setLayout(gridBagLayout2);
    jPanel2.setLayout(gridBagLayout3);
    jLabel1.setText("ID_ADR");
    jButton4.setToolTipText("");
    jButton4.setText("Submit");
    jButton4.addActionListener(new java.awt.event.ActionListener() {
    public void actionPerformed(ActionEvent e) {
    jButton4_actionPerformed(e);
    jLabel2.setText("Name");
    database1.setConnection(new com.borland.dx.sql.dataset.ConnectionDescriptor("jdbc:oracle:thin:@IP Adress:T", "T, "t", false, "oracle.jdbc.driver.OracleDriver"));
    queryDataSet1.setQuery(new com.borland.dx.sql.dataset.QueryDescriptor(database1, "Select * from PR", null, true, Load.ALL));
    jdbTable1.setDataSet(queryDataSet1);
    jTextField1.addActionListener(new java.awt.event.ActionListener() {
    public void actionPerformed(ActionEvent e) {
    jTextField1_actionPerformed(e);
    jTextField2.addActionListener(new java.awt.event.ActionListener() {
    public void actionPerformed(ActionEvent e) {
    jTextField2_actionPerformed(e);
    jToolBar.add(jButton1);
    jToolBar.add(jButton2);
    jToolBar.add(jButton3);
    contentPane.add(jPanel1, new GridBagConstraints(0, 1, 1, 1, 1.0, 1.0
    ,GridBagConstraints.CENTER, GridBagConstraints.BOTH, new Insets(0, 0, 0, 0), 14, -12));
    jPanel1.add(jPanel2, new GridBagConstraints(0, 0, 1, 3, 1.0, 1.0
    ,GridBagConstraints.CENTER, GridBagConstraints.VERTICAL, new Insets(1, 4, 0, 0), 217, -110));
    jPanel2.add(tableScrollPane1, new GridBagConstraints(0, 0, 1, 1, 1.0, 1.0
    ,GridBagConstraints.CENTER, GridBagConstraints.BOTH, new Insets(0, 0, 0, 0), 0, 0));
    tableScrollPane1.getViewport().add(jdbTable1, null);
    jPanel1.add(jLabel1, new GridBagConstraints(1, 0, 1, 1, 0.0, 0.0
    ,GridBagConstraints.WEST, GridBagConstraints.NONE, new Insets(20, 21, 0, 0), 16, 6));
    jPanel1.add(jTextField1, new GridBagConstraints(2, 0, 1, 1, 1.0, 0.0
    ,GridBagConstraints.WEST, GridBagConstraints.HORIZONTAL, new Insets(21, 11, 0, 14), 106, 6));
    jPanel1.add(jButton4, new GridBagConstraints(2, 1, 1, 1, 0.0, 0.0
    ,GridBagConstraints.NORTH, GridBagConstraints.NONE, new Insets(15, 9, 20, 14), 40, 0));
    jPanel1.add(jTextField2, new GridBagConstraints(2, 2, 1, 1, 1.0, 0.0
    ,GridBagConstraints.NORTH, GridBagConstraints.HORIZONTAL, new Insets(14, 12, 132, 17), 121, 3));
    jPanel1.add(jLabel2, new GridBagConstraints(1, 2, 1, 1, 0.0, 0.0
    ,GridBagConstraints.NORTHEAST, GridBagConstraints.NONE, new Insets(11, 25, 135, 0), 42, 45));
    contentPane.add(statusBar, new GridBagConstraints(0, 2, 1, 1, 0.0, 0.0
    ,GridBagConstraints.WEST, GridBagConstraints.NONE, new Insets(0, 0, 0, 0), 480, 0));
    jMenuFile.add(jMenuFileExit);
    jMenuHelp.add(jMenuHelpAbout);
    jMenuBar1.add(jMenuFile);
    jMenuBar1.add(jMenuHelp);
    this.setJMenuBar(jMenuBar1);
    contentPane.add(jToolBar, new GridBagConstraints(0, 0, 1, 1, 1.0, 0.0
    ,GridBagConstraints.CENTER, GridBagConstraints.HORIZONTAL, new Insets(0, 0, 0, 0), 326, 0));
    /**File | Exit action performed*/
    public void jMenuFileExit_actionPerformed(ActionEvent e) {
    System.exit(0);
    /**Help | About action performed*/
    public void jMenuHelpAbout_actionPerformed(ActionEvent e) {
    Frame1_AboutBox dlg = new Frame1_AboutBox(this);
    Dimension dlgSize = dlg.getPreferredSize();
    Dimension frmSize = getSize();
    Point loc = getLocation();
    dlg.setLocation((frmSize.width - dlgSize.width) / 2 + loc.x, (frmSize.height - dlgSize.height) / 2 + loc.y);
    dlg.setModal(true);
    dlg.show();
    /**Overridden so we can exit when window is closed*/
    protected void processWindowEvent(WindowEvent e) {
    super.processWindowEvent(e);
    if (e.getID() == WindowEvent.WINDOW_CLOSING) {
    jMenuFileExit_actionPerformed(null);
    void jTextField1_actionPerformed(ActionEvent e) {
    if(e.getSource() == ID_ADR)
    Name = jTextField1.getText();
    void jButton4_actionPerformed(ActionEvent e) {
    //ID_ADR = jTextField1.getText();
    //Anschr= jTextField2.getText();
    sql="SELECT * FROM DADR_224 Where ID=" + ID_ADR;
    queryDataSet1.setQuery(new com.borland.dx.sql.dataset.QueryDescriptor(database1, sql, null, true, Load.ALL));
    queryDataSet1.refresh();
    repaint();
    void jTextField2_actionPerformed(ActionEvent e) {
    if(e.getSource() == Name)
    Name = jTextField2.getText();
    Here is the error message
    om.borland.dx.dataset.DataSetException: Operation cannot be performed on an open DataSet. Close the DataSet first.
         at com.borland.dx.dataset.DataSetException.c(Unknown Source)
         at com.borland.dx.dataset.DataSetException.y(Unknown Source)
         at com.borland.dx.dataset.StorageDataSet.s(Unknown Source)
         at com.borland.dx.dataset.ProviderHelp.failIfOpen(Unknown Source)
         at com.borland.dx.sql.dataset.QueryDataSet.setQuery(Unknown Source)
         at release0.Applet1.jButton1_actionPerformed(Applet1.java:154)
         at release0.Applet1$1.actionPerformed(Applet1.java:66)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1450)
         at javax.swing.AbstractButton$ForwardActionEvents.actionPerformed(AbstractButton.java:1504)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:378)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:250)
         at javax.swing.plaf.basic.BasicButtonListener.mouseReleased(BasicButtonListener.java:216)
         at java.awt.Component.processMouseEvent(Component.java:3717)
         at java.awt.Component.processEvent(Component.java:3546)
         at java.awt.Container.processEvent(Container.java:1167)
         at java.awt.Component.dispatchEventImpl(Component.java:2595)
         at java.awt.Container.dispatchEventImpl(Container.java:1216)
         at java.awt.Component.dispatchEvent(Component.java:2499)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:2458)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:2223)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:2132)
         at java.awt.Container.dispatchEventImpl(Container.java:1203)
         at java.awt.Component.dispatchEvent(Component.java:2499)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:336)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:134)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:101)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:96)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:88)

    I tried to close it but nothing happned, can you show me how to close it?
    Tusen takk
    Here is the error message
    om.borland.dx.dataset.DataSetException: Operation
    cannot be performed on an open DataSet. Close the
    DataSet first.
    Have you tried closing the DataSet first?

  • "Program files" directory problem during Microsoft Office Customization Installer in non-English versions of Windows

    We have a document-level customization solution for Word and are experiencing problems during deployment in an environment running on terminal services. The OS (Windows 2012) is English and Word (2013) is non-English (German). 
    Installation is done into the "Program Files" folder correctly. But when trying to start a word document linked to the specific template. The "Microsoft Office Customization Installer" pops up with the error.
    "There was an error during installation"
    From: file:///C:/Programme/[CompanyName]/[Productname]/[Productname].vsto
    Downloading file:///c:/Programme/[CompanyName]/[Productname]/[Productname].vsto did not succeed.
    Exception: ....
    System.Deployment.Application.DeploymentDonwloadException: Download file:///C:/Programme/[Companyname]/Productname]/[Productname].vsto did not suceed. ---> System.Net.WebException: Could not find a part of the path 'C:\Programme\[Companyname]\[Productname]\[Productname].vsto'.
    ---> System.Net.WebException: ...... ---> System.IO.DirectoyNotFoundException......
    The problem seems to be that the installer is looking for C:\PROGRAMME instead of C:\PROGRAM FILES. C:\PROGAMME is the German localized name of PROGRAM FILES (http://en.wikipedia.org/wiki/Program_Files).
    The installer installs the solution correctly deployed into c:\program files, but when the later a user tries to start it and the Microsoft Office Customization Installer is called, it tries to access the non-existing "c:\programme" folder. This
    doesn't exist, because Windows is English.
    Is there any thing related to deploying solutions on a platform which has different languages (mixing/matching of OS language and Office language?)
    Thank you for your help

    Hello,
    1. First, I would confirm with you whether you dealt with the localization for your document-level add-in?
    2. Did you use this way to define the Create a class that defines the post-deployment action part of Put the document of a solution
    onto the end user's computer (document-level customizations only) and did you get the path with Environment.SpecialFolder enum?
    To handle this, I would recommend you consider using Environment.SpecialFolder to set that property.
    Regards,
    Carl
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Problem During Installation of ECC 6 on Windows 2003

    <b><b>Here I am facing problem during Import ABAP Phase.
    It is throwing Error like that::
    CJS-30022 Program 'Migration Moitor' exists with return code 103.
    After completeing 9 stages, it's getting problem in Import packages and installation get stucked.
    My Server is like that:
    OS: Windows Server 2003
    Hardware: HP Itanium IA64
    Database: Oracle 10.2g
    SAP Release : 2004s ECC 6
    I have configured Java with j2sdk 1.4.2_12:
    JRE 1.5 is not available for IA64 .
    I reconfigured the parameter "shared_pool_size" (to 400MB)in init<sid>.ora at \oracle\<sid>\database.
    Also adjusted another parameter which is "shared_pool_reserved_size" i.e. 10% of the shared_pool_size.
    What to do now.
    Please send me feed backs.
    Regards,
    Sumanta Chatterjee
    </b></b> <b></b>

    run 'ls -lrta' in /tmp/sapinst_instdir/.... (whatever the lowest path is there, where all the log files are).  You should see something like sap<something>.tsk and sap<something>.log.  Look at the most recently updated sap<something>.log file for the specific error.  One problem I've seen is that if you configure the advanced oracle config to turn off AUTOEXTEND on the tablespaces, the abap load will bomb because it runs out of space.  Also, make sure your SYSTEM tablespace has at least 500M.
    Posting the relevant contents of the log with the detailed error description would help us provide a better answer as well.
    Rich

  • How do I get facetime on a MacBook Pro to work?  I keep getting a " server encountered problem during registration.." message.  I have FaceTime ver. 1.1.1

    How do I get facetime on a MacBook Pro to work?  I keep getting a " server encountered problem during registration.." message.  I have FaceTime ver. 1.1.1
    Thanks

    Icapper wrote:
    I will end up getting something other than Logitech speakers, since I'm just weird like that.
    Your not weird, your a audiophile.
    https://en.wikipedia.org/wiki/Audiophile
    Good sound costs money. And with a 5.1 system your usually doing surround sound decoding for BlueRay movies etc. for home theater purposes.
    The PC 5.1 surround sound systems require a audio card in a PC tower and mainly used for playing 3D games so that won't work for any Mac at all. So don't buy a PC 5.1 surround sound system for your Mac.
    Harmon Kardon has the GoPlay, it's a portable stereo with awesome sound (not as good as their theater systems) and you can hook up a analog male/male stereo mini cable to it from the Mac.
    $200 and it has a iPod dock and also takes like 8 batteries so it's portable.
    http://www.amazon.com/dp/B002GHBTNC
    There is also the Bose Wave clock/radio, you will need a stereo mini to RCA break out cable for that.
    http://www.bose.com/controller?url=/shop_online/wave_systems/index.jsp
    The GoPlay has much better sound than the Bose, I think the Bose are overpriced.

Maybe you are looking for