Beginners problem

In Business Components Project Wizard when I am trying to make a project after
making connection,following error is coming,I tried with every package and result
is same only so that I couldnot proceed further;
oracle.jbo.dt.objects.JboException: Unable to add object package1 to package .
     void oracle.jbo.dt.objects.JboException.throwException(java.lang.String, oracle.jbo.dt.objects.JboNamedObject, java.lang.Throwable)
     void oracle.jbo.dt.objects.JboPackage.addChild(oracle.jbo.dt.objects.JboBaseObject)
     void oracle.jbo.dt.objects.JboApplication.addChild(oracle.jbo.dt.objects.JboBaseObject)
     void oracle.jbo.dt.ui.pkg.PKAppWizard.newPageSelected(oracle.jbo.dt.ui.main.dlg.DtuWizardPanel)
     void oracle.jbo.dt.ui.main.dlg.DtuWizard.activatePage(int, int)
     void oracle.jbo.dt.ui.main.dlg.DtuWizard.nextAction()
     void oracle.jbo.dt.ui.main.dlg.DtuWizard.actionPerformed(java.awt.event.ActionEvent)
     void javax.swing.AbstractButton.fireActionPerformed(java.awt.event.ActionEvent)
     void javax.swing.AbstractButton$ForwardActionEvents.actionPerformed(java.awt.event.ActionEvent)
     void javax.swing.DefaultButtonModel.fireActionPerformed(java.awt.event.ActionEvent)
     void javax.swing.DefaultButtonModel.setPressed(boolean)
     void javax.swing.plaf.basic.BasicButtonListener.mouseReleased(java.awt.event.MouseEvent)
     void java.awt.Component.processMouseEvent(java.awt.event.MouseEvent)
     void java.awt.Component.processEvent(java.awt.AWTEvent)
     void java.awt.Container.processEvent(java.awt.AWTEvent)
     void java.awt.Component.dispatchEventImpl(java.awt.AWTEvent)
     void java.awt.Container.dispatchEventImpl(java.awt.AWTEvent)
     void java.awt.Component.dispatchEvent(java.awt.AWTEvent)
     void java.awt.LightweightDispatcher.retargetMouseEvent(java.awt.Component, int, java.awt.event.MouseEvent)
     boolean java.awt.LightweightDispatcher.processMouseEvent(java.awt.event.MouseEvent)
     boolean java.awt.LightweightDispatcher.dispatchEvent(java.awt.AWTEvent)
     void java.awt.Container.dispatchEventImpl(java.awt.AWTEvent)
     void java.awt.Window.dispatchEventImpl(java.awt.AWTEvent)
     void java.awt.Component.dispatchEvent(java.awt.AWTEvent)
     void java.awt.EventQueue.dispatchEvent(java.awt.AWTEvent)
     boolean java.awt.EventDispatchThread.pumpOneEvent()
     void java.awt.EventDispatchThread.pumpEvents(java.awt.Conditional)
     void java.awt.EventDispatchThread.run()

Hai,
I am new to this and doing the exercises of JDevoloper3 Handbook by Paul Dorsey &
Peter Koltzke.In the first chapter of creating a packaage it is mentioned that
you could create a folder in C:\Program Files\Oracle\JDev3.2.3\myprojects(I am using Windows M.E).So I did this and package name is appearing in File open\create
dialogue under package tag.But when I am trying to add it comes the error JDevoloper can't add it and above mentioned errors.I tried with other packages of
JDevoloper coming with the product,which are compiling properly,but of no use.
Please help out.

Similar Messages

  • Beginners Problem with Z_TUTORIAL1

    Hi,
    i try to create a web dynpro Z_TUTORIAL1. I edit it with se80, check it and activate it.
    Everything is OK.
    The URL:
    'http://system.hn.company.de:8000/sap/bc/webdynpro/sap/z_tutorial1'
    was created.
    In C:WINDOWSsystem32driversetchosts i insert the entry:
    nn.nnn.nn.nn     system.hn.company.de          # Wedb dynpro Host
    nn.nnn.nn.nn = entry in saplogon
    When i will execute it, the explorer says: Side cannot be shown.
    What mistake have i done?
    Thanks for help
    regards, Dieter
    Edited by: Dieter Gröhn on Apr 4, 2008 11:30 AM

    Test your application first using the URL
    'http://nn.nnn.nn.nn:8000/sap/bc/webdynpro/sap/z_tutorial1'
    This will ensure that there is no problem with the WD application.
    If this works the next step would be to figure out why the ip address is not getting resolved from the host name.
    The link given by Heidi will help you then.
    Thanks,
    Alwyn

  • EJB3 Beginners Problem

    Hi,
    I'm not very experienced in EJB3, so maybe my Problem is easy to solve. I searched the web for some solution tips, but my search wasn't successful.
    I wanted to test how a stateful session bean works. So i created a EJB-Project in Eclipse and added a stateful SessionBean.
    Here is my EJB-Project:
    `-- ejbModule
        |-- META-INF
        |   |-- MANIFEST.MF
        |   `-- sun-ejb-jar.xml
        `-- examples
            `-- session
                `-- stateful
                    |-- CountBean.java               --->POJOBeanClass
                    |-- CountBeanRemote.java   --->BusinessInterface
                    `-- CounterCallbacks.java    ----->Callback-Interceptor BeanClass:
    package examples.session.stateful;
    import javax.ejb.*;
    import javax.interceptor.Interceptors;
    * A Stateful Session Bean Class that shows the basics of how to write a
    * stateful session bean.
    * This Bean is initialized to some integer value. It has a business method
    * which increments the value.
    * The annotations below declare that:
    * <ul>
    * <li>this is a Stateful Session Bean
    * <li>the bean’s remote business interface is <code>Count</code>
    * <li>any lifecycle callbacks go to the class <code>CountCallbacks</code>
    * </ul>
    @Stateful
    @Remote(CountBeanRemote.class)
    @Interceptors(CounterCallbacks.class)
    public class CountBean implements CountBeanRemote
         /** The current counter is our conversational state. */
         private int val;
          * The count() business method.
         public int count() {
               System.out.println("count()");
               return ++val;
          * The set() business method.
         public void set(int val) {
               this.val = val;
               System.out.println("set()");
          * The remove method is annotated so that the container knows it can remove
          * the bean after this method returns.
         @Remove
          public void remove() {
              System.out.println("remove()");
    Business-Interface:
    package examples.session.stateful;
    import javax.ejb.Remote;
    @Remote
    public interface CountBeanRemote {
          * The business interface - a plain Java interface with only
          * business methods.
          * This is interface to enable the client, access the session bean.
         public interface Count {
             * Increments the counter by 1
           public int count();
             * Sets the counter to val
             * @param val
           public void set(int val);
             * removes the counter
           public void remove();
    }

    Callback-Class:
    package examples.session.stateful;
    import javax.ejb.PostActivate;
    import javax.ejb.PrePassivate;
    import javax.annotation.PostConstruct;
    import javax.annotation.PreDestroy;
    import javax.interceptor.InvocationContext;
    * This class is a lifecycle callback interceptor for the Count
    * bean. The callback methods simply print a message when
    * invoked by the container.
    public class CounterCallbacks {
         * Called by the container after construction
        @PostConstruct
        public void construct(InvocationContext ctx) {
            System.out.println("cb:construct()");
         * Called by the container after activation
        @PostActivate
        public void activate(InvocationContext ctx) {
            System.out.println("cb:activate()");
         * Called by the container before passivation
        @PrePassivate
        public void passivate(InvocationContext ctx) {
            System.out.println("cb:passivate()");
         * Called by the container before destruction
        @PreDestroy
        public void destroy(InvocationContext ctx) {
            System.out.println("cb:destroy()");
    sun-ejb-jar.xml:
    <?xml version="1.0" encoding="UTF-8"?>
    <!DOCTYPE sun-ejb-jar PUBLIC '-//Sun Microsystems, Inc.//DTD
    Application Server 9.0 EJB 3.0//EN'
    'http://www.sun.com/software/appserver/dtds/sun-ejb-jar_3_0-0.dtd'>
    <sun-ejb-jar>
         <enterprise-beans>
              <ejb>
                   <ejb-name>CountBean</ejb-name>
                   <jndi-name>examples.session.stateful.CountBean</jndi-name>
                   <bean-pool>
                        <steady-pool-size>2</steady-pool-size>
                        <max-pool-size>2</max-pool-size>
                   </bean-pool>
              </ejb>
         </enterprise-beans>
    </sun-ejb-jar>I set the pool size on 2, because i want to see the session bean passivate and activate.
    I exported the EJB-Project into a EJB-jar und deployed it on glassfish v2.1
    Now i created another project, that contains a standalone client which access the session bean:
    import java.util.Properties;
    import javax.naming.*;
    import javax.ejb.*;
    import com.sun.corba.ee.impl.javax.rmi.PortableRemoteObject;
    import examples.session.stateful.CountBean;
    * This class is a simple client for a stateful session bean.
    * To illustrate how passivation works, configure your EJB server to allow only
    * 2 stateful session beans in memory. (Consult your vendor documentation for
    * details on how to do this.) We create 3 beans in this example to see how and
    * when beans are passivated.
    public class CountClient
         public static final int noOfClients = 3;
         public static void main(String[] args)
              Properties props = new Properties();
              props.setProperty("java.naming.factory.initial",
                        "com.sun.enterprise.naming.SerialInitContextFactory");
              props.setProperty("java.naming.factory.url.pkgs",
                        "com.sun.enterprise.naming");
              props.setProperty("java.naming.factory.state",
                        "com.sun.corba.ee.impl.presentation.rmi.JNDIStateFactoryImpl");
              // optional. Defaults to localhost. Only needed if web server is running
              // on a different host than the appserver
              props.setProperty("org.omg.CORBA.ORBInitialHost", "localhost");
              props.setProperty("org.omg.CORBA.ORBInitialPort", "3700");
              try
                   /* Get a reference to the bean */
                   Context ctx = new InitialContext(props);
                   /* An array to hold the Count beans */
                   CountBean count[] = new CountBean[noOfClients];
                   int countVal = 0;
                   /* Create and count() on each member of array */
                   System.out.println("Instantiating beans...");
                   for (int i = 0; i < noOfClients; i++)
                        count[i] = (CountBean) ctx.lookup(CountBean.class.getName()+"/remote");
                        /* initialize each bean to the current count value */
                        count.set(countVal);
                        /* Add 1 and print */
                        countVal = count[i].count();
                        System.out.println(countVal);
                        /* Sleep for 1/2 second */
                        Thread.sleep(100);
                   * Let’s call count() on each bean to make sure the beans were
                   * passivated and activated properly.
                   System.out.println("Calling count() on beans...");
                   for (int i = 0; i < noOfClients; i++)
                        /* Add 1 and print */
                        countVal = count[i].count();
                        System.out.println(countVal);
                        /* let the container dispose of the bean */
                        count[i].remove();
                        /* Sleep */
                        Thread.sleep(50);
              } catch (Exception e)
                   e.printStackTrace();
    When i start the main method i get this exception:javax.naming.NameAlreadyBoundException: examples.session.stateful.CountBean
         at com.sun.enterprise.naming.TransientContext.resolveContext(TransientContext.java:274)
         at com.sun.enterprise.naming.TransientContext.lookup(TransientContext.java:191)
         at com.sun.enterprise.naming.SerialContextProviderImpl.lookup(SerialContextProviderImpl.java:74)
         at com.sun.enterprise.naming.RemoteSerialContextProviderImpl.lookup(RemoteSerialContextProviderImpl.java:129)
         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:597)
         at com.sun.corba.ee.impl.presentation.rmi.ReflectiveTie._invoke(ReflectiveTie.java:154)
         at com.sun.corba.ee.impl.protocol.CorbaServerRequestDispatcherImpl.dispatchToServant(CorbaServerRequestDispatcherImpl.java:687)
         at com.sun.corba.ee.impl.protocol.CorbaServerRequestDispatcherImpl.dispatch(CorbaServerRequestDispatcherImpl.java:227)
         at com.sun.corba.ee.impl.protocol.CorbaMessageMediatorImpl.handleRequestRequest(CorbaMessageMediatorImpl.java:1846)
         at com.sun.corba.ee.impl.protocol.CorbaMessageMediatorImpl.handleRequest(CorbaMessageMediatorImpl.java:1706)
         at com.sun.corba.ee.impl.protocol.CorbaMessageMediatorImpl.handleInput(CorbaMessageMediatorImpl.java:1088)
         at com.sun.corba.ee.impl.protocol.giopmsgheaders.RequestMessage_1_2.callback(RequestMessage_1_2.java:223)
         at com.sun.corba.ee.impl.protocol.CorbaMessageMediatorImpl.handleRequest(CorbaMessageMediatorImpl.java:806)
         at com.sun.corba.ee.impl.protocol.CorbaMessageMediatorImpl.dispatch(CorbaMessageMediatorImpl.java:563)
         at com.sun.corba.ee.impl.protocol.CorbaMessageMediatorImpl.doWork(CorbaMessageMediatorImpl.java:2567)
         at com.sun.corba.ee.impl.orbutil.threadpool.ThreadPoolImpl$WorkerThread.run(ThreadPoolImpl.java:555)
    maybe someone can help me with that problem.
    English is not my mother tongue, but i hope you get my problem ;)
    thans
    stefan                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Beginners problem- having/where

    I need to find the model that have maximum number of units
    I wrote:
         select model , MODEL_COUNT as model_counter from (
              select model , count (*) as MODEL_COUNT
              from Airplanes     group by model)
              where MODEL_COUNT = max(MODEL_COUNT);
    and got:
    ORA-00934: group function is not allowed here
    So I changed the where to having:
    select model , MODEL_COUNT as model_counter from (
              select model , count (*) as MODEL_COUNT
              from Airplanes     group by model)
              having MODEL_COUNT = max(MODEL_COUNT);
    and got:
    ORA-00979: not a GROUP BY expression
    What to do???

    Hi and welcome to the forum.
    What to do???Well, you could use the row_number analytic here:
    select model
    ,      model_count model_counter
    from ( select model
           ,      count (*) model_count
           ,      row_number() over ( order by count(*) desc) rn      
           from airplanes
           group by model
    where rn=1;See:
    http://www.oracle.com/technology/oramag/oracle/07-jan/o17asktom.html
    http://www.oracle.com/technology/oramag/oracle/06-sep/o56asktom.html
    for some more in-depth explanations.
    And keep in mind that all Oracle Documentation (and examples) can be found @ http://tahiti.oracle.com

  • Beginners problems

    Hello!
    I am a computer science student and I am doing my "special work" with JBuilder8SE and as I am trying to learn RMI and the use of JBuilder, I tried to do the example "Getting Started Using RMI" from the JBuilder Help. I have written all the code etc just as they are in the exaple, but I cannot get my source files compiled. Hello.java compiles just fine, but HelloApplet.java and HelloImpl.java files woun't compile. I get three error messages.
    "HelloImpl.java": Error #: 300: class Hello not found in class examples.hello.HelloImpl at line 8 column 63
    "HelloApplet.java": Error #: 300: class Hello not found in class examples.hello.HelloApplet at line 14 column 3
    "HelloApplet.java": Error #: 300: class Hello not found in class examples.hello.HelloApplet at line 18 column 14
    I tried to mend this error by putting the package name in front of the Hello reference (examples.hello.Hello) but as one can guess, I had another compiler error message:
    "HelloApplet.java": Error #: 302: cannot access class examples.hello.Hello; java.io.IOException: class not found: class examples.hello.Hello at line 14, column 18
    I really don't know what's wrong 'cause I've done everything as it's required in the example. Can you help me please? Give me some suggestions what to do next. How can I write a program of my own if I can't even do the easiest examples?
    I hope some one answers me. (And if am in totally wrong place, please tell me where to go for help)

    Hi ChrisBoy!
    Yes, all my code is in the same package "examples.hello". Here's the code: (it's should be exactly the same as in JBuilder Help)
    Hello.java:
    package examples.hello;
    import java.rmi.Remote;
    import java.rmi.RemoteException;
    public interface Hello extends Remote {
    String sayHello() throws RemoteException;
    HelloApplet.java:
    package examples.hello;
    import java.applet.Applet;
    import java.awt.Graphics;
    import java.rmi.Naming;
    import java.rmi.RemoteException;
    public class HelloApplet extends Applet {
    String message = "blank";
    // "obj" on tunniste, jota k�ytet��n viittaamaan et�olioon,
    // joka toteuttaa "Hello" rajapinnan
    examples.hello.Hello obj = null;
    public void init() {
    try{
    obj = (examples.hello.Hello)Naming.lookup("//" + getCodeBase().getHost() + "/HelloServer");
    message = obj.sayHello();
    } catch (Exception e) {
    System.out.println("HelloApplet exception: " + e.getMessage());
    e.printStackTrace();
    public void paint(Graphics g) {
    g.drawString(message, 25, 50);
    HelloImpl.java:
    package examples.hello;
    import java.rmi.Naming;
    import java.rmi.RemoteException;
    import java.rmi.RMISecurityManager;
    import java.rmi.server.UnicastRemoteObject;
    public class HelloImpl extends UnicastRemoteObject implements examples.hello.Hello {
    public HelloImpl() throws RemoteException {
    super();
    public String sayHello() {
    return "Hellou vaan maailma!";
    public static void main(String args[]) {
    //luo ja aseta security manager
    if (System.getSecurityManager() == null) {
    System.setSecurityManager(new RMISecurityManager());
    try {
    HelloImpl obj = new HelloImpl();
    // kiinnit� t�m� olioesiintym� nimeen HelloServer
    Naming.rebind("//myhost/HelloServer", obj);
    System.out.println("HelloServer bound in registry");
    } catch (Exception e) {
    System.out.println("HelloImpl err: " + e.getMessage());
    e.printStackTrace();

  • Hidden files & lots of other problems!

    hi everyone! im new to the mac world and im having some major beginners problems!
    i want to hide some files on my laptop, but i have absolutely no idea how. ive searched the web and some people say to type lots of 'commands' in the 'terminal' (no idea what this even is) others say to put it in the 'library'. i have found the library, but is there no way of hidding a file on macs like there is on windows?
    also, during my attempt to try and hide files, i did the following:
    finder
    file
    find
    this mac
    kind is document
    and its come up with just LOADS of things! like all sorts of crazy pictures (like of cakes and leprochauns and winston churchill) and also documents from about 4 or 5 years ago which i didnt write on this laptop nor have i ever stored them on this laptop! as far as im aware they were even deleted off my old laptop!
    so where have all these pictures and long lost documents come from?
    my only guess is that as ive got my mail linked up to the 'mail' app, that perhaps they have come from there?
    also, it has shown files which i THINK must have been hidden through windows, i tried saving them on to my mac and i cant find them anywhere!!! can you not see files which were hidden on windows? if so, how do i change it so i CAN see them?
    any help would be much appreciated!
    Thank you in advance to anyone who takes the time to reply!
    Hayley

    To address your immediate question 'how to hide files', I suggest you try this app:
    http://www.altomac.com
    It comes with directions, and it's free.
    On other implied questions, your search process asked the Mac to find all "documents" on "this mac". That's what was found. Apparently a lot of old files were copied over to your new Mac, so they were found when you did a find.
    I have recommended this site to folks coming to grips with a Mac for the first time. Once again, it is free:
    http://www.dummies.com/how-to/computers-software/macs-os-x/Mac-Basics.html
    Finally, take a look at the Missing Manual series. Some of them are available for free download.

  • How do I get lines of text to wrap within borders of a layer?

    I am using Windows XP, SP2, and Dreamweaver 8. I am
    struggling with the transition from building layout tables to
    building layers, and have spent a great deal of time reading books
    and following tutorials. I keep running into a problem which would
    seem to have a simple solution, but I can't find the answer in any
    of my texts or web searches. I may not be using the correct
    terminology to describe it . . . but here goes.
    Let's say I build the layout first, and it consists of two
    columns, a left sidebar, and a larger layer for content. When I add
    text to the content layer, it does not wrap into several lines, ,
    respecting the right border, as it would do in a table. Instead, it
    continues in one long line, pushing the edge of the layer out to
    the right, destroying the layout.
    What is the solution? Do I need to create a container for the
    page, before I build the rest? Or, is there an attribute that I can
    apply to the specific layer to prevent this problem? Or is it an
    attribute of the text??
    Can anyone recommend a good entry-level tutorial for me,
    which would address such "beginners" problems? I have found the
    Dreamweaver tutorial "Creating a CSS-based Page Layout" to be very
    unhelpful. They show you how to make the layers, but there is NO
    information or guidelines on how to fill the layers with content so
    they work properly and maintain their layout. I've also spent time
    studying the Dreamweaver 8 "Missing Manual" from Pogue Press. That
    book has been very helpful, but not with this issue.

    >I am using Windows XP, SP2, and Dreamweaver 8. I am
    struggling with the
    > transition from building layout tables to building
    layers
    There's no need to struggle with this. Just don't do it.
    Forget layers
    exist. They are not the way to move ahead, and will get you
    into serious
    trouble if you imagine that they are the next step in your
    advancement.
    Continue to work with tables as you learn about CSS. When you
    understand
    that you rarely need to use any kind of positioning, then you
    are ready for
    the next step: moving from tables to table-less pages.
    > I've also spent
    > time studying the Dreamweaver 8 "Missing Manual" from
    Pogue Press. That
    > book
    > has been very helpful, but not with this issue.
    No kidding. In fact, the book is COMPLETELY wrong on this
    issue. Your best
    bet is to take Elmer's Glue and glue all the pages of Chapter
    8 together. I
    say that as the Tech Editor of that illustrious tome.... 8)
    Go here -
    http://www.projectseven.com/tutorials/css/qdmacfly/index.htm
    http://www.macromedia.com/devnet/mx/dreamweaver/css.html
    http://www.macromedia.com/devnet/dreamweaver/articles/tableless_layout_dw8.html
    http://www.macromedia.com/devnet/dreamweaver/articles/css_concepts.html
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.dreamweavermx-templates.com
    - Template Triage!
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    http://www.macromedia.com/support/search/
    - Macromedia (MM) Technotes
    ==================
    "wirebird" <[email protected]> wrote in
    message
    news:[email protected]...
    >I am using Windows XP, SP2, and Dreamweaver 8. I am
    struggling with the
    > transition from building layout tables to building
    layers, and have spent
    > a
    > great deal of time reading books and following
    tutorials. I keep running
    > into
    > a problem which would seem to have a simple solution,
    but I can't find the
    > answer in any of my texts or web searches. I may not be
    using the correct
    > terminology to describe it . . . but here goes.
    >
    > Let's say I build the layout first, and it consists of
    two columns, a left
    > sidebar, and a larger layer for content. When I add text
    to the content
    > layer,
    > it does not wrap into several lines, , respecting the
    right border, as it
    > would
    > do in a table. Instead, it continues in one long line,
    pushing the edge
    > of the
    > layer out to the right, destroying the layout.
    >
    > What is the solution? Do I need to create a container
    for the page,
    > before I
    > build the rest? Or, is there an attribute that I can
    apply to the specific
    > layer to prevent this problem? Or is it an attribute of
    the text??
    >
    > Can anyone recommend a good entry-level tutorial for me,
    which would
    > address
    > such "beginners" problems? I have found the Dreamweaver
    tutorial "Creating
    > a
    > CSS-based Page Layout" to be very unhelpful. They show
    you how to make the
    > layers, but there is NO information or guidelines on how
    to fill the
    > layers
    > with content so they work properly and maintain their
    layout. I've also
    > spent
    > time studying the Dreamweaver 8 "Missing Manual" from
    Pogue Press. That
    > book
    > has been very helpful, but not with this issue.
    >

  • How to track the users password at insert page??

    Hi all,
    I need to create an interface, which allow users to upload some medical sequences into databse, also I need to alow the sequences's own to modify their input , in case they mske some mistake. now I need to deal with the following conditions.
    1) Since the sequence's own need to take respone for their on sequence.
    2)The interface has field call author,
    3) before their do search edit or input , download , they need to log in the web set, any every one sure has their union password.
    SO is that possible for me to get the log in password and check usere A is A to
    avoid some one acciden or in poporse to use other s name to input or modify the sequence files in database .
    Thank you11

    hello tmary,
    hmm your problem seems to be a beginners problem?
    well there are two points to help u accomplish ur aim.
    1.the database tabel or users
    2. the users username (which should be a primary key in the table)
    now this is the flow.....
    when the user logs in using the web login page u will create u check 4 his username and password existence in the database table for users,if it exist you direct him to the welcome page where he will have options of editing ,downloading,uploading,e.t.c
    so when loading this page u put this authenticated username and password i the "session" object and make sure all ur pages are session enabled. now if thge user selects edit when loading the edit page u will use the user name in the session to get his correspondin record which will b from the database table of record in which the username should be foreignkey to now likewise u can do the same for the download ,upload,e.tc pages.
    hope this helps ok.
    please let me know if its not ok.
    jlord1

  • Why Noise reduction filter on adobe PS Touch does not work?

    I use iPad mini and want to reduce  noise on my photo, but it does not work event though I have moved the slider from 0 to 100. It tried with another app that is adobe ps express, and it worked well. Kindly, i need your helping to solve my issue.
    Regards
    Sigit
    Note:
    1. My device ipad mini with ios version 6.1.3
    2. The app name is adobe photoshop touch

    Good day!
    As far as I understand this Forum is dedicated to beginners’ problems with Photoshop.
    Photoshop is not Photoshop Touch, so you may want to post on the appropriate Forum for that application. 
    Possibly this one:
    http://forums.adobe.com/community/photoshop/touchapps?view=discussions
    Regards,
    Pfaffenbichler

  • How to go from one slide to another by pressing a key

    Dear forum,
    I am a newby to Captivate 5 but even after having read all related documentation I got stuck with a beginners problem: I have recorded a demo from a software simulation (120 slides) and when I play the movie its all fine. I would like however, that the movie stops after each slide and only when pressing a key it goes to the next slide and so on. I have tried to set the properties of all slides to 'no action' when leaving - but it does exactly the same as if I set 'goto next slide' when leaving. Is this a bug? Any ideas?
    Thanks for reading
    Daniel

    Hello,
    If you want a real button, create a button on the first slide (Insert menu or with the vertical Toolbox). You can make a Text Button with the text 'Next'. This button will pause at a certain moment, you can change this moment in its properties (Pause after..). Be sure that all has played on the slide before this pause. Then define the action to be performed 'on Success', which means when the button is clicked. Choose the action: Go to Next Slide.
    Last thing: copy this button. Then in the Filmstrip select all the other slides and Paste the button. Since the action will be the same for each slide, it should work like that.
    Lilybiri

  • Locating peaks and valleys on a map using java.

    This is the assignment for my excerice,if someone knows the code,please give it to me.
    I'm still beginner in java,and i have to submit that project by monday.
    Topographical maps are easily represented with two-dimensional
    arrays of integer or real valued
    heights. However, the bird's eye view they provide is sometimes
    difficult to appreciate after a day of
    lugging a 70-pound backpack.
    Consider a two-dimensional array variable storing real numbers and
    representing heights of a
    topographical map.
    Write a program that locates peaks. We define a peak as any point that
    is higher than its eight
    neighbors.
    Write a program that locates valleys. A valley is any series of three
    points along a row or column that
    are lower than their twelve neighbors. (Can you deal with longer
    valleys as well?)
    1. Define a two-dimensional array type for holding real numbers and
    having a size of maxrow times
    maxcol;
    2. Declare a Boolean method that tests if a point of this map
    represents a peak;
    3. From the main program locate all peaks and output their positions
    and heights;
    The header should be like this:
    peak number Row position Column position weight
    and for valleys it will the same heading
    valley number Row position Column position

    This is the assignment for my excerice,if someone
    knows the code,please give it to me.
    I'm still beginner in java,and i have to submit that
    project by monday.Tthis really isn't a beginners problem. Or if it's a beginners problem it's a beginners problem at a school with high standards. Above all it's clever. The problem is formulated in a way that you're unlikely to find code on the internet that exactly fits the bill and can be directly copied.
    So if you stay off the booze tonight and skip church tomorrow you have a whole day on your hands. Use it well. The problem is clearly formulated and should pose no problem for a rasonably smart student -:)

  • Boolean Logic in the Page

    Hi!
    I have a beginners problem that seems very trivial, but I can simply not find the solution. How do you do boolean logic in a JSF page. I want to be able to hide some buttons depending on some data in the bean, but I do not know how to do that. I guess what I am after is the equivalent of the Struts <logic:equal> and <logic:notEqual> tags.
    Regards,
    Magnus

    Use rendered attribute.
    For example:
    <h:commandButton value="Edit" action="edit" rendered="#{MyBean.editable}" />
    In this example, editable should be a bean property with type Boolean and public getter.
    Generally, you can use any expression based on JSF EL (JavaServer Faces Expression Language).
    For example:
    <h:commandButton value="Create" action="createUser" rendered="#{MyBean.userName == null }" />

  • How to integrate 2 buttons

    Hi,
    I tried to integrate two buttons. I mean: when I switch on first button it will disappear and the second appear, when I switch on the second button- first is shown and the second is hidden.
    Please help
    Regards,
    Mike
    Solved!
    Go to Solution.

    MeeHow wrote:
    I don't want to use it cause I'm running LabView continuosly and it's make problems (program don't want to leave this structure and I can't use other buttons, swtiches etc)
    One of the first things to learn is that is is spelled "LabVIEW" and not "LabView".
    So if running continuously is making problems, why do you insist on using this debugging tool? Why can't you use "other button" or"swtiches"? What structure can't you leave? You might have some simple beginners problems that would be very easy to solve if you give us more details.
    Anyway, here's my radiobutton solution. I also attached a simple VI using it. Look ma, no code!
    LabVIEW Champion . Do more with less code and in less time .
    Attachments:
    buttonsRADIO.vi ‏6 KB
    buttonsMOD.vi ‏11 KB

  • KT3 Ultra2-R no boot/no beep D-Bracket 1&2 Red

    I assembled a system with a KT3 Ultra2-R and an AMD XP 2100+ with 300W CodeGen-PSU.
    The system ran well for 4 weeks without any crashes. Because i had the noisy AMD-boxed CPU-cooler, i installed a very silent noiseblocker-CPU-cooler. The first power-on bootet up to initialization of raid-controller an then the system hang.
    The next boot, nothing happened: black screen, no beep, nothing. Only the fans are running. I reassembled the hole system x-times now, all with the same result.
    I even changed the mobo to a brand new one -> same problem. I changed PSU to a 420 W -> same problem.
    The D-Bracket says: 1 & 2 red, 3 & 4 green ("Initializing Hard Drive Controller"). The same result when i deattach everything from the board except PSU (yes: everything). No beep at all...
    How can a brand new mobo and a brand new PSU with nothing else attached the same problem as the first mobo with my old PSU?
    I have not changed the CPU or Ram yet, but how can the problem be there, when the error occurs when these parts are not attached.
    What should the D-Bracket show, when I power on an empty mobo with PSU?
    thanks in advance
    (ps: i assembled all my pcs for the past 12 years by myself; so its no beginners problem for sure...)

    a new cpu (now only a XP 1800+) took me one step ahead: windows xp is now coming up with a message (white on black) saying that the system tried starting unsuccessfully last time. then there is a choice how to boot now. but even if i choose "safe mode", the pc is booting again...
    also, i cant get the floppy to work. in bios, the mobo says, its an 1,44 flopp (correct) but i dont get it in the boot order or boot menu.
    so i cant install windows new, because raid-drivers are on the boot disk  X(
    another hard disk with installed windows xp also comes up the the scrren mentioned above and then hangs with a cursor blinking in the left top cursor of the screen.
    i tried another graphic-card: an old "Interactive 3dfx Magix Twin Power": the pc beeps once long an then 3 times short on power on but keeps on booting.
    the result is the same as above (pc hangs).
    very, very strange  

  • Beginner question: Two audio tracks become one - how to undo?

    I know this surely is a beginners' problem, i hope for a quick reply anyway. I've imported material I had before logged with AVID Liquid, into Premiere CS4. In order to get video and audio together I had to put video and audio in a new sequence by hand. I then loaded this seqeunce into the source monitor to be able to cut my material (one video track, two audio tracks (one from a directional mic, which I don't always want))  from there. But when I paste a clip in my editing sequence I only get video plus ONE audio track in the stereo track. But I need both audio tracks because sometimes I'm going to delete one of them. So my question: How do I get video and BOTH audio tracks from one sequence to the other?
    Thank you very much, you've had much patience with me with similiar questions.
    Niklas

    To do what you want, you won't be able to work with the media as a single clip.  You'd have to go into the sequence with the video and two audio tracks, and pick out what you want from there instead of the Source monitor.  Make your cuts, laso the clips you're using, then do a Cut/Paste from the main sequence into the edit sequence.  Make sense?

Maybe you are looking for