(urgent) new to JMF

hai,
i am new to JMF.. now iam trying to do voice chat in JMF over internet.. i have tried some example like AVTrasmitter and Reciver.. but i think those examples are not working in the internet.. so if any one have code to create voice chat which works in internet means please sent to my id.. or send me the link. my id is [email protected] or [email protected]
regards
subramanian

Good luck getting help on this (I don't mean to be nasty). JMF is the worst API I've ever seen, and errors like this are common and often have no defined solution. I don't know much about MP3 but that looks like a highly non-standard coding. Does JMF play 'normal' 128 kbps MP3s for you? I've also heard of JMF having issues with samplerate conversion.
Again, good luck.

Similar Messages

  • New to JMF my players just showing a white screen

    Hello
    I'm an experienced java programmer but i am new to JMF i'm having trouble applying an effect to a video track i've registered the effect successfully however when i then apply it to the video track all i get is a white screen. the player displays the video fine without the effect plugin applied however when i apply the effect it all goes wrong. i've checked the plugin viewer and data does seem to be moving between the various plugins and when i use a print statement the data is coming out of the plug in correctly. below is my code the player follwed by the effect file. its a real mess because i've been playing around with it for hours trying to get it to work and it's driving me crazy please can someone help!
    Thanks
    /////////////////***********Effect File************\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\
    import javax.media.*;
    import javax.media.format.*;
    import java.awt.*;
    public class RGBPassThruEffect implements Effect {
    Format inputFormat;
    Format outputFormat;
    Format[] inputFormats;
    Format[] outputFormats;
    public RGBPassThruEffect() {
    inputFormats = new Format[] {
    new RGBFormat(null,
    Format.NOT_SPECIFIED,
    Format.byteArray,
    Format.NOT_SPECIFIED,
    24,
    3, 2, 1,
    3, Format.NOT_SPECIFIED,
    Format.TRUE,
    Format.NOT_SPECIFIED)
    outputFormats = new Format[] {
    new RGBFormat(null,
    Format.NOT_SPECIFIED,
    Format.byteArray,
    Format.NOT_SPECIFIED,
    24,
    3, 2, 1,
    3, Format.NOT_SPECIFIED,
    Format.TRUE,
    Format.NOT_SPECIFIED)
    // methods for interface Codec
    public Format[] getSupportedInputFormats() {
         return inputFormats;
    public Format [] getSupportedOutputFormats(Format input) {
    if (input == null) {
    return outputFormats;
    if (matches(input, inputFormats) != null) {
    return new Format[] { outputFormats[0].intersects(input) };
    } else {
    return new Format[0];
    public Format setInputFormat(Format input) {
         inputFormat = input;
         return input;
    public Format setOutputFormat(Format output) {
    if (output == null || matches(output, outputFormats) == null)
    return null;
    RGBFormat incoming = (RGBFormat) output;
    Dimension size = incoming.getSize();
    int maxDataLength = incoming.getMaxDataLength();
    int lineStride = incoming.getLineStride();
    float frameRate = incoming.getFrameRate();
    int flipped = incoming.getFlipped();
    int endian = incoming.getEndian();
    if (size == null)
    return null;
    if (maxDataLength < size.width * size.height * 3)
    maxDataLength = size.width * size.height * 3;
    if (lineStride < size.width * 3)
    lineStride = size.width * 3;
    if (flipped != Format.FALSE)
    flipped = Format.FALSE;
    outputFormat = outputFormats[0].intersects(new RGBFormat(size,
    maxDataLength,
    null,
    frameRate,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    lineStride,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED));
    //System.out.println("final outputformat = " + outputFormat);
    return outputFormat;
    // methods for interface PlugIn
    public String getName() {
    return "Blue Screen Effect";
    public void open() {
    public void close() {
    public void reset() {
    // methods for interface javax.media.Controls
    public Object getControl(String controlType) {
         return null;
    public Object[] getControls() {
         return null;
    // Utility methods.
    Format matches(Format in, Format outs[]) {
         for (int i = 0; i < outs.length; i++) {
         if (in.matches(outs))
              return outs[i];
         return null;
    public int process(Buffer inBuffer, Buffer outBuffer) {
    int outputDataLength = ((VideoFormat)outputFormat).getMaxDataLength();
         validateByteArraySize(outBuffer, outputDataLength);
    outBuffer.setLength(outputDataLength);
    outBuffer.setFormat(outputFormat);
    outBuffer.setFlags(inBuffer.getFlags());
    byte [] inData = (byte[]) inBuffer.getData();          // Byte array of image in 24 bit RGB
    byte [] outData = (byte[]) outBuffer.getData();          // Byte array of image in 24 bit RGB
    RGBFormat vfIn = (RGBFormat) inBuffer.getFormat();     // Metadata - format of RGB stream
    Dimension sizeIn = vfIn.getSize();               // Dimensions of image
    int pixStrideIn = vfIn.getPixelStride();          // bytes between pixels
    int lineStrideIn = vfIn.getLineStride();          // bytes between lines
         int bpp = vfIn.getBitsPerPixel();               // bits per pixel of image
         for (int i=0; i < sizeIn.width * sizeIn.height * (bpp/8); i+= pixStrideIn)
              outData[i] = inData[i];                    // Blue
              //System.out.println("Blue: OutData = "+outData[i]+" | InData = "+inData[i]);
              outData[i+1] = inData[i+1];               // Green Don't you just love Intel byte ordering? :-)
              //System.out.println("Green: OutData = "+outData[i+1]+" | InData = "+inData[i+1]);
              outData[i+2] = inData[i+2];               // Red
              //System.out.println("Red: OutData = "+outData[i+2]+" | InData = "+inData[i+2]);
    return BUFFER_PROCESSED_OK;
    byte[] validateByteArraySize(Buffer buffer,int newSize) {
         Object objectArray=buffer.getData();
         byte[] typedArray;
         if (objectArray instanceof byte[]) {     // is correct type AND not null
              typedArray=(byte[])objectArray;
              if (typedArray.length >= newSize ) { // is sufficient capacity
                   return typedArray;
              byte[] tempArray=new byte[newSize]; // re-alloc array
              System.arraycopy(typedArray,0,tempArray,0,typedArray.length);
              typedArray = tempArray;
         } else {
              typedArray = new byte[newSize];
         buffer.setData(typedArray);
         return typedArray;
    //////////////////////////******Player file**********\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\
    import javax.media.*;
    import javax.media.format.*;
    import javax.media.control.*;
    import javax.media.protocol.*;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    import java.io.*;
    import java.lang.*;
    import java.util.*;
    class RTPReceiver extends JFrame implements ControllerListener
         JPanel main = new JPanel();
         BorderLayout layout = new BorderLayout();
         boolean realized = false;
         boolean loopBack = true;
         boolean configured = false;
         RGBPassThruEffect Effect = new RGBPassThruEffect();
         TrackControl[] TC;
         static final String CLASS_NAME = "Documents and Settings.Alex Bowman.Desktop.RTPSender.RGBPassThruEffect";
         Processor myPlayer;
         Player player;
         //processor myProcessor;
         public RTPReceiver()
              //super();
              System.out.println(""+PlugInManager.getPlugInList(Effect.inputFormat,Effect.outputFormat,3).size());
              CreateProcessor("rtp://127.0.0.1:8000/video");
              myPlayer.configure();
              while(myPlayer.getState()!=myPlayer.Configured)
              //TC = myPlayer.getTrackControls();
              applyEffect();
              FileTypeDescriptor FTD = new FileTypeDescriptor("RAW");
              myPlayer.setContentDescriptor(FTD);
              blockingRealize();
              myPlayer.start();
              try
                   player = Manager.createPlayer(myPlayer.getDataOutput());
              catch (IOException e)
                   System.out.println("Error creating player "+e);
              catch (NoPlayerException NPE)
                   System.out.println("Error creating player "+NPE);
              player.realize();
              while(player.getState() != player.Realized)
              player.start();
              System.out.println("hello i get here");
              main.add("Centre",player.getVisualComponent());
              main.setLayout(layout);
              main.add("South",player.getControlPanelComponent());
              setTitle("RTP Video Receiver");
              setSize(325,296);
              setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
              setContentPane(main);
              setVisible(true);
              //show();
         public void applyNewPlugin()
              PlugInManager.addPlugIn(CLASS_NAME, Effect.inputFormats, Effect.outputFormats, javax.media.PlugInManager.EFFECT);
              try
    PlugInManager.commit();
              catch (IOException e)
                   System.out.println("Error commiting PlugIn to system.");
         public void applyEffect()
              TC = myPlayer.getTrackControls();
              Vector V = PlugInManager.getPlugInList(Effect.inputFormat,Effect.outputFormat,3);
              System.out.println("1: "+TC[0].getFormat().toString());
                        //Codec COD = PlugInManager.getPlugInList(Effect.inputFormat,Effect.outputFormat,3).get(0);
                        Codec effectChain[] = {new RGBPassThruEffect()};
                        try
                             System.out.println(""+V.get(0));
                             Format[] input = Effect.getSupportedInputFormats();
                             TC[0].setFormat(input[0]);
                             System.out.println("2: "+TC[0].getFormat().toString());
                             TC[0].setCodecChain(effectChain);
                        catch (UnsupportedPlugInException E)
                             System.out.println("Error applying effect file. "+ E);
         public void CreateProcessor(String URL)
              MediaLocator MRL = new MediaLocator(URL);
              try
                   myPlayer = Manager.createProcessor(MRL);
                   myPlayer.addControllerListener(this);
              catch (NoPlayerException e)
                   System.out.println("NoPlayerException Occurred when trying to create Player for URL "+URL);
              catch (IOException f)
                   System.out.println("IO Exception occurred creating Player for RTP stream at URL: "+ URL);
         public synchronized void blockingRealize()
              myPlayer.realize();
              while(realized == false)
                   try
                        wait();
                   catch (InterruptedException IE)
                        System.out.println("Thread Interupted while waiting on realization of player");
                        System.exit(1);
         /*     if(myPlayer.getVisualComponent() !=null)
                   //main.add("Centre",myPlayer.getVisualComponent());
              else
                   System.out.println("error creating visual component");
         public synchronized void controllerUpdate(ControllerEvent E)
              if(E instanceof RealizeCompleteEvent)
                   realized = true;
                   notify();
              if(E instanceof EndOfMediaEvent)
                   //code for end of media file in here
                   myPlayer.setMediaTime(new Time(0));
                   myPlayer.start();
         public void Start()
         public void Stop()
              if(myPlayer != null)
                   myPlayer.stop();
                   myPlayer.deallocate();
         public static void main(String[] args)
              RTPReceiver RTP = new RTPReceiver();

    YYes  this is normal. if you go back to the main screen and view older post, at the bottom click "View More", you will see more posts like your own.

  • I want to check the status of application No.  For it is written in my account was canceled and I did not do so I urgent news about his condition and the reason for canceled I redial the same time as the sender befo

    Thank you for your attention
    I want to check the status of application No. W439602096
    For it is written in my account was canceled and I did not do so
    I urgent news about his condition and the reason for canceled
    I redial the same time as the sender before you
    We are waiting for you

    This is a user to user forum. You are not talking to Apple here. We cannot help you; you will need to contact wherever the order was placed.

  • I have new in JMF-Any one help me

    Hai
    I am beginner of JMF.i have facing one problem for past 3 days.
    I wrote one applet program for playing mp3 song.Atfer i wrote one jsp file it has several radio button when i clicked any one of them it would called applet(i have using plugin tag for this embbed).i got one error i.e. Class not found exception.but i tried in appletviewer it's work perfectly.
    My path folders are:
    Applet program: c:/Tomcat/webapps/Vj/web-inf/classes/AB.java
    Jsp File:c:/Tomcat/webapps/Vj/playapp.jsp
    My code is applet code
    import java.applet.Applet;
    import java.awt.*;
    import java.io.IOException;
    import java.io.PrintStream;
    import java.net.MalformedURLException;
    import java.net.URL;
    import javax.media.*;
    <APPLET height=300 width=300 code="AB.class">
              <PARAM NAME="file" VALUE="artist - Track 01.mp3">
    </APPLET>
    public class AB extends Applet
        implements ControllerListener
        public SimplePlayerApplet()
            player = null;
    public void init()
            MediaLocator medialocator = null;
            Object obj = null;
            if ((s = getParameter("FILE")) == null)
                 System.out.println("S value is:NULL");
                Fatal("Invalid media file parameter");
            try
                URL url = new URL(getDocumentBase(), s);
                System.out.println("URL Value is:" + url);
                s = url.toExternalForm();
            catch(MalformedURLException malformedurlexception) { }
            try
                if((medialocator = new MediaLocator("file:" + s)) == null)
                    Fatal("Can't build URL for " + s);
                    System.out.println("catch in malformed");
                try
                    player = Manager.createPlayer(medialocator);
                    System.out.println("it is from create player");
                catch(NoPlayerException noplayerexception)
                    System.out.println(noplayerexception);
                    Fatal("Could not create player for " + medialocator);
            catch(MalformedURLException malformedurlexception1)
                Fatal("Invalid media file URL!");
            catch(IOException ioexception)
                Fatal("IO exception creating player for " + medialocator);
        public void start()
            if(player != null)
                player.start();
                System.out.println("This from start");
        public void stop()
            if(player != null)
                   System.out.println("This from stop");
                player.stop();
                player.deallocate();
        public void destroy()
            player.close();
            System.out.println("This from Destory");
        void Fatal(String s)
            System.err.println("FATAL ERROR: " + s);
            throw new Error(s);
        Player player;
    }now i run in appletviewer it's work perfectly.After that
    I remove applet tags in this program and again i was compiled.
    then now i embeded in jsp .
    Jsp is below:
    <%@ page language="java" import="java.io.*;" %>
    <HTML><HEAD><TITLE>Doctor Page</TITLE>
    <META http-equiv=Content-Language content=en-us>
    <meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1">
    <META content="MSHTML 6.00.2800.1498" name=GENERATOR>
    <script language="JavaScript">
    function Check(){
    for (var i=0; i < document.playChk.R1.length; i++)
       if (document.playChk.R1.checked)
    var n = document.playChk.R1[i].value;
         document.playChk.action="Doctor.jsp";
         document.playChk.submit();
    </script>
    </HEAD>
    <BODY>
    <%
         if (request.getParameter("R1") != null){
              out.println("U Have Checked : " + request.getParameter("R1"));
              System.out.println("U Have Checked : " + request.getParameter("R1"));
              %>
         <jsp:plugin type="applet" code="AB.class" height="30" width="10" >
    <jsp:params>
    <jsp:param name="File" value="artist - Track 01.mp3">
    </jsp:param>
    </jsp:params>
         <jsp:fallback>
         Plugin tag OBJECT or EMBED not supported by browser.
         </jsp:fallback>
         </jsp:plugin>
    <%
         else{
              System.out.println("This is First Strike");
              out.println("This is First Strike");
    %>
    <FORM method="post" name="playChk" >
    <%
    try{
              File f =new File("C://Tomcat 5.0/webapps/Vj/images");
              System.out.println();
              String lists[] =f.list();
              out.println("Length:" + lists.length);
         %>
         <TABLE width="100%" border=1>
         <%
         for(int i =0 ;i < lists.length-1;i++){
              System.out.println( f + lists[i]);
         %>
         <TR>
         <TD><IMG height=109 src="<%=f + "/" + lists[i]%>" width=150 border=0></TD>
         </TR>
         <TR>
         <TD><INPUT type="radio" checked value="<%=lists[i]%>" name="R1" onClick="Check()"></TD>
         </TR>
    <%
         catch(Exception e){
              System.out.println("Exception" + e);
         %>
    </FORM>
    </BODY>
    </HTML
    Audio file is placed in same dir of applet.
    now i am getting Class not found exception.
    Ant one help me
    With Regards
    K.suresh

    It might be if you explain "the Problem" - whats the error
    for a start?

  • NEED URGENT NEW SOFTWARE UPDATE FOR NOKIA X2..

    The Nokia X2 runs under S40 6th Edition, which does not allow the user to hide items on the gallery or file manager.
    If the feature is like this then what is the use of having 16 GB card??/
    All the confidencial photos which I doesn't want to share with others also shown in the photo gallary ..Because of s40 edition we can not use softwares like explore or file hide also ..
    All we nokia X2 users want is a photo hide software which allow us to hide our confidencial photos.
    " We are  not expecting to see s40 hardwares with powerfull functions like Hi-Res video playback or 3D games, but for simple things."
    And also please fix the problem regarding battary performence  also
    It's battery takes lot of time for charging its nearly 3hr 
    and for running a music player or camera or after watching 3 or 4 small videos it suddenly decreases to 2 points (battery backup is only 25 minutes  when playing videos
    WE ALL  NOKIA X2 LOVERS HOPING  THAT ALL THESE ABOVE PROBLEMS WILL BE FIXED IN THE 4.10 UPDATE
    PLEASE

    As you have been told in another thread the X2 is not going to get the feature for hiding files. The only updates the X2 is likely to receive are to fix bugs, not to add new features.
    No series 40 phone has that feature, if you want it you will need to buy a smartphone and use additional software. The sensible option is to simply not allow other people to mess around with your phone or use the keyguard code.
    Starting threads spamming the same questions over and over again is not going to make it happen. If you are unhappy that your phone lacks that feature contact nokia care in your country and complain.
    There is nothing that anyone can do to help you here and petitioning won't help either.

  • Urgent: new macbook pro - without Lion

    I am not from the US,
    what should I do to get Lion for free, I'm entitled for it according to this:
    http://www.apple.com/macosx/uptodate/
    but I cant fill the forms since they regarded to US residents.
    What should I do, It's been almost 30 days since I bought it (From Apple Store in the US).

    You got yourself a new MacBook Pro without OS X Lion?
    Consider yourself lucky!
    If you get the free download, make a bootable DVD (or two) of it and save it, delete the installer you can always download it later.
    I wouldn't go installing Lion or using it now until you fully understand it and the bugs get worked out, perhaps about 6-8 months from now. (also third party programs and hardware drivers need to be updated)
    If your a early adopter then by all means go ahead, but if this is your first Mac, better stay on OS X 10.6.
    http://www.eggfreckles.net/notes/burning-a-lion-boot-disc/
    You can also make a bootable clone of 10.6 with Carbon Copy Cloner or Superduper on a blank, HFS+ journaled formatted powered drive, it's hold the option key bootable.

  • Urgent: New database with restored tape backup - step by step

    Hi
    Oracle: 9.2.0.6
    OS: AIX 5
    There is an old full cold database backup on the TAPE drive which includes spfile and control files etc.
    I have been asked to restore this database to a new server (AIX 5). I am a new dba with less hands on restore/recovery from tape drives using rman.
    Can someone let me know
    1. what do I need to know before I can start anything
    2. how to restore backup from tape (spfile, control file, data files etc)
    3. steps to create a database instance with backup restore and start it
    4. How do I know password of sys/system users
    Thankyou so much for help.
    Vishal

    Maybe you could read the manual?

  • URGENT: New JAR file NOT being pushed to web clients.

    Greetings...
    When our web app first came to market, some of our customers were still using a dial-up connection. Therefore, since one of our web pages uses an applet, it was decided to ship the necessary JAR files to clients on an installation CD, rather than burden our dialup customer with having the JAR files pushed out to them over the line. The jar files are installed in the C:\Program Files\JavaSoft\JRE\1.3\lib\ext directory on the client computers.
    Don't ask why, but we are now attempting to have our web site push out a new JAR file to just one of our clients, but the problem I'm running into is that if the OLD jar file already exists in the C:\Program Files\JavaSoft\JRE\1.3\lib\ext directory, the NEW jar file isn't pushed out by the website. My understanding was that the system would automatically detect if the JAR file on the client was older than the JAR file on the server and would then push the newer JAR file out to the client, but obviously, I'm missing something.
    Any help/suggestions you can provide would be greatly appreciated. Following is the kludgy ASP code for this...
    <%szCustomer = getCustomer();%>
    <%if (szCustomer="SccTest") {%>
    <!-- NEW CODE: Push out the NEW JAR file with the meters to feet change. -->
    <OBJECT classid="clsid:8AD9C840-044E-11D1-B3E9-00805F499D93" width="600" height="400" name="SccMapplet"
    codebase="http://java.sun.com/products/plugin/1.3/jinstall-13-win32.cab#Version=1,3,0,0" ID="IMSMap" VIEWASTEXT>
    <PARAM NAME="code" VALUE="com.scc.mapplet.SccMapplet">
    <param name="archive" value="SccMapplet.jar,xml.jar,iiimp.jar,jai_codec.jar,jai_core.jar,mlibwrapper_jai.jar">
    <PARAM NAME="scriptable" VALUE="true">
    <PARAM NAME="type" VALUE="application/x-java-applet;version=1.3">
    <PARAM NAME="WebAXL" VALUE="/EweData/<%=getCustomer()%>.axl">
    <PARAM NAME="Session" VALUE="<%=SCCSession.SessionID%>">
    <COMMENT>
    <EMBED type="application/x-java-applet;version=1.3" width="600" height="400"
    code="com.scc.mapplet.SccMapplet" archive="SccMapplet.jar,xml.jar,iiimp.jar,jai_codec.jar,jai_core.jar,mlibwrapper_jai.jar"
    pluginspage="http://java.sun.com/products/plugin/1.3/plugin-install.html">
    <NOEMBED>
    </COMMENT>
    No Java 2 SDK, Standard Edition v 1.3 support for APPLET!!
    </NOEMBED></EMBED>
    </OBJECT>
    <%} else {%>
    <!-- OLD CODE: Use the JAR file already installed on C:\Program Files\JavaSoft\JRE\1.3\lib\ext -->
    <object classid="clsid:8AD9C840-044E-11D1-B3E9-00805F499D93"
    width=600 height=400 ID="IMSMap" name="SccMapplet" VIEWASTEXT>
    <param NAME="code" VALUE="com/scc/mapplet/SccMapplet">
    <param NAME="name" VALUE="IMSMap">
    <param NAME="SCRIPTABLE" VALUE="TRUE">
    <param NAME="type" VALUE="application/x-java-applet;version=1.2">
    <PARAM NAME="WebAXL" VALUE="/EweData/<%=getCustomer()%>.axl">
    <PARAM NAME="Session" VALUE="<%=SCCSession.SessionID%>">
    <comment>
    <embed type="application/x-java-applet;version=1.2" width="600" height="480" code="com/esri/ae/applet/IMSMap" name="IMSMap">
    <noembed>
    </COMMENT>
    No JDK 1.2 support for APPLET!!
    </noembed></embed>
    </object>
    <%}%>

    I guess the problem is, that your local jar file's classes copied to the JRE's ext directory have higher priority. The JRE does not store your applet jar locally and so does not overwrite anything you may have installed, it only executes the jar file given by the browser which may cache it or not.
    Why don't you use the Java Webstart technolgy? It's pretty simple to use it. Customers would have to download every new jar version only once and Webstart will take care that the local version is up-to-date every time your app is started.

  • Urgent New Dimension to be added

    Hi All,
    i have to add new dimension to the existing cube using EIS 7.1.2 and SQL server 2005
    IncludeInReport
    Member Names
    NoCloseClaims
    CloseClaims
    IncludeInReport itself is a column and it is having only 0's and 1's.
    and they had given specifications as
    The “NoCloseClaims” member is 0 and matches all records where the “IncludeInReport” column = 0;
    and the “CloseClaims” member is 1 and matches all records where the “IncludeInReport” column = 1.
    please let me know how to create these members in EIS and fulfil these two conditions.
    Is it possible to create members under IncludeInReport?
    Thanks in advance
    prathap

    Asad,
    The other way could be to use the BuPaController to find the values like ROLES, GROUPS etc. from Customizing.
    Use the code below to access the ROLE for a BP.
      DATA: lv_bupacontroller TYPE REF TO cl_crm_ic_bupacontroller_impl.
      DATA: ls_profile TYPE crmc_ic_bpident.
      lv_bupacontroller ?= get_custom_controller( 'BuPaController' ).
      CHECK lv_bupacontroller IS BOUND.
      ls_profile = lv_bupacontroller->get_profile( ).
    The field <b>ls_profile-BPROLE_CREATE</b> has the role which you want.
    Cheers,
    Ankur

  • URGENT - New business group

    I created a new BG, and LE,SOB ETC...., but my operating unit is still under old BG.
    CAN anyone help me out , how to c new BG

    Hi,
    Once you define the Business Group, you have to assign the Business Group to system profile values.
    Profile values are:
    1. HR: Business Group
    2. HR: Security Profile
    Then come back to HRMS responsibility and define the Operating unit. Now you can see your Operating Unit under your BG.
    Please go through the 'Multi-Org Structure' document to get the clear idea about it.
    Regards
    Jhansi

  • URGENT: New sessions created as increasing hits/second! BUG in WL5.1 sp10?

              Hello,
              I am experiencing the same problem as mr. Rajesh Rajagopalan, only he had it with
              WL 6.0:
              http://newsgroups2.bea.com/cgi-bin/dnewsweb?cmd=article&group=weblogic.developer.interest.jsp&item=8925&utag=
              So when the number of hits increases, it looks like new sessions are created when
              the number of hits increases!
              Is that a bug in WL 5.1 service pack 10? I would like an answer from a BEA Weblogic
              official!
              

    Hello,
              I think that the best way is to open a case to the BEA support.
              "\"Bogdan Barzu\" Bogdan.Barzu" wrote:
              > Hello,
              >
              > I am experiencing the same problem as mr. Rajesh Rajagopalan, only he had it with
              > WL 6.0:
              > http://newsgroups2.bea.com/cgi-bin/dnewsweb?cmd=article&group=weblogic.developer.interest.jsp&item=8925&utag=
              >
              > So when the number of hits increases, it looks like new sessions are created when
              > the number of hits increases!
              >
              > Is that a bug in WL 5.1 service pack 10? I would like an answer from a BEA Weblogic
              > official!
              

  • Urgent: new iPhone5s disabled during upgrade to iOS8 due to forget passcode

    HI,
    I just bought my new iPhone 5S after my iPhone 4S one was lost 4 months ago. When I was at the store, the cellphone network provider set up my phone as new for me (which included the set up for TouchID and a new passcode). However, when I came back home I tried to restore my phone to the lastest backup (the newest one is from March 2014 in iOS7 platform). The process went well and my phone looked just like the old one. (I haven't tried for once though if my fingerprint is working or not. Also, I haven't set up FindMyiPhone yet)
    The problem occurs  when I decided to upgrade it from iOS7 to iOS8. During the upgrade process, the last thing I have to do to complete the upgrade is to enter my passcode number. I used my new passcode and it wasn't working. The only explaination I have is that my passcode has changed into the old one nearly 8 months ago! I can't possibly remember what the old one is since I've changed it very frequently at that time. T__T
    Now my new iPhone has been disabled and it said "connect to itunes". Moreover, I can't :
    1. Finish my iOS8 upgrade since I don't know my passcode.
    2. Turn off my phone (since it's in the middle of upgrading). Thus, I can't put it in a recovery mode.
    3. Restore my iPhone from iTunes since it's my first use and I have to allow my computer to access my iphone by entering the passcode.
    4. Use find my iPhone since it's a new phone and I haven't set up anything yet.
    My last resort is to jailbreak it which I REALLY don't want it to be that way. Can anyone please help? I'm really desperate. T_T
    Sincerly,
    Sasawan

    Hello Sasawan,
    When your iPhone is disabled, then the only option is to put your iPhone into recovery mode. Once it is in recovery mode, you should be able to restore your iPhone by using iTunes. Check out the article below and look at the section for using recovery mode. 
    iOS: Forgot passcode or device disabled
    http://support.apple.com/kb/ht1212
     Use recovery mode
    Follow these steps if you never synced your device with iTunes, if you don't have Find My iPhone set up, or if you can't get to your own computer. You'll need to put your device in recovery mode, which will erase the device and its passcode. Then you'll restore your device as new or from a backup.
    Disconnect all cables from your device.
    Turn off your device.
    Press and hold the Home button. While holding the Home button, connect your device to iTunes. If your device doesn't turn on automatically, turn it on.
    Continue holding the Home button until you see the Connect to iTunes screen.
    iTunes will alert you that it has detected a device in recovery mode.
    Click OK, then restore the device.
    Regards,
    -Norm G. 

  • New to JMF

    hi i am running a program using the media package but the compiler don't recognize it , i have the JMF at my pc but i don't know where is the problem.

    Have you set the JMFCLASSPATH variable to the jmf jar files?

  • Urgent:New Session Button...

    Hi every body,
    I have done a screen wich contain a "new session " Button , this button must allow the user to open a new session without using the compile(or process) button of JBuilder a gain, but I don't now the code for this,
    any help please i'll be greatefully..
    Thanks

    u can't deactivate that NEW session buttton.. but u can restrict the NUmber of seeeion on yur Report server .
    to restrict the no .of sessions set parameter value of 'rdisp/max_alt_modes '(default value 6) in T-code RZ10.
    so in yur case in report server change value of rdisp/max_alt_modes = 1 .
    But this will open only one Session for all user on that SERVER.
    Tell yur basis guy to do this.
    but you must restart your sapserver to effect these settings.

  • URGENT: New Shortcut to forms problem

    Hi!
    To create the forms whith the FORM BUILDER from oracle 10g, I always start up the OC4J instance, therefore, i am not connected to the net, and I do not want to be.
    So the problem is:
    Is it possible to create a shortcut so that if someone else other than me wants to use the forms I've created, and work with my database, does not need to open the form builder?!
    Wich means that by clicking on the shortcut icon, the connect window is popped up, the log in is inserted and I go directly to the forms created.
    Thanks
    I've received the following answer from Mr. Frank Nimphius:
    R: Tiago,
    if your PC is accessible for internal users and OC4J is up and running, you could have them creating a Browser shortct that looks similar to
    iexplorer http://tiagos_server:8889/forms90/f90servlet&form=ttiago_form.fmx....
    You can also define an application entry in the Forms forms.cfg file and change the shortcut to
    iexplorer http://tiagos_server:8889/forms90/f90servlet&config=app_entry
    Other people won't be able to edit the Forms this way, but can run your modules against your data base.
    Frank
    The Problem is:
    It does not open the forms!!
    How can I solve this problem !?
    thanks

    Mr Grant,
    I have created the shortcut icon, and putted that url.
    It initializes the applet and a window appears saying Installed Successfully!
    Oracle Aplication Server Forms Services.
    The window has an ok button, and I click it, but no form appears.
    Then nothing appens..
    It says that the window is opening but i've been waiting for centuries and my forms are not shown.
    I really need to do it.
    Thanks,
    Tiago

Maybe you are looking for

  • CS3 Adobe Bridge raw

    Having trouble with cs3 bridge.  When I want to send a file to photoshop it automatically opens up in camera raw.  Before this I had to choose the option to open in raw what is causing this?  Can I reset something?  Please help, it's very annoying

  • HP Envy M6-n1101 trackpad is not working

    The trackpad is incredibly glitchy and it is very fustrating to try and use it. It makes using the laptop almost impossible. Is there a way to fix this? This is absolutly unacceptable. 

  • My PC/iTunes is no longer reading my iPod

    My PC/iTunes is no longer reading my iPod when I connect it?  Help

  • Change Field in Report

    Hello Friends, Is there any possibility to change a name of a field on a report on UCCX. BR

  • I can't find/use an app and now i want uninstall it

    Well because it takes up space and if I don't make use of it and it doesn't benefit me in anyway I would want it gone. Wouldn't you?