Error when trying to read integer with JCreator

*********CODE:
import corejava.*;
class Reverse {
     public static void main(String[] args) {
          int number;
          number = Console.readint("Please enter an integer: ");
***********ERROR:
--------------------Configuration: TEST - j2sdk1.4.2_15 <Default> - <Default>--------------------
C:\Documents and Settings\mik\My Documents\JCreator Pro\MyProjects\a\TEST\src\TEST.java:6: cannot access corejava.Console
bad class file: C:\j2sdk1.4.2_15\jre\lib\ext\corejava.jar(corejava/Console.class)
class file has wrong version 49.0, should be 48.0
Please remove or make sure it appears in the correct subdirectory of the classpath.
number = Console.readint("Please enter an integer: ");
^
1 error
Process completed.
Why is this happening ?
i just cant seem to read an integer from the user no matter what i try :-(
Edited by: miki85 on Oct 1, 2007 5:37 AM

Here's one I used to use back in the 1.5 days... I take no credit for the code though.
package krc.io;
* Keyboard - static methods for basic line-buffered keyboard input.
* Author: J. M. Morris (jmm at dcs gla ac uk).
* Version 1.1 J. M. Morris October 28th 1998.
* Version 1.2 K. R. Corlett January 27th 2007.
* Example of use
* The statements:
*     i=Keyboard.readInt();
*     b=Keyboard.readBoolean();
*     c=Keyboard.readChar();
*     t=Keyboard.readToken();
*     s=Keyboard.readString();
*     System.out.println("> i='"+i+"', b='"+b+"', c='"+c+"', t='"+t+"', and s='"+s+"'");
* Given the Keyboard input:
*     "      23    TRue X   Java123   the  rest   "
* Produce the output:
*     > i=23, b=true, c='X', t="Java123", and s="  the  rest   "
* See: the unit tests in the main method for lots more usage examples.
import java.io.*;
import java.util.List;
import java.util.ArrayList;
public abstract class Keyboard {
    static BufferedReader stdin = new BufferedReader(new InputStreamReader(System.in));
    static String bfr = "";
    static int bfrlen = 0;
    static int p = 1; // bfr[p..] contains next input
    // BASIC METHODS - READ THE NEXT WORD AND CONVERT IT TO DESIRED TYPE
    // Consume and return the remainder of current line (end-of-line discarded).
    public static String readString() {
        try {
            if( bfr!=null && p>bfrlen ) readLine();
            eofCheck();
            int t=p; p=bfrlen+1;
            return(bfr.substring(t));
        } catch (IOException ex) {
            System.err.println(ex);
            return "";
    public static String readString(String prompt) {
        print(prompt + " (String) : ");
        return readString();
    // Consume and return a character (which may be an end-of-line).
    public static char readChar() {
        try {
            if( bfr!=null && p>bfrlen ) readLine();
            eofCheck();
            char c = (p==bfrlen ? '\n' : bfr.charAt(p-1));
            p++;
            return(c);
        } catch (StringIndexOutOfBoundsException ex) {
            //just silently swallow the exception !!!
            return((char)0);
        } catch (IOException ex) {
            System.err.println(ex);
            return((char)0);
    public static char readChar(String prompt) {
        print(prompt +" (char) : ");
        return readChar();
    // Consume and return a boolean. Trailing delimiter consumed.
    // Any string other than "true" (case insensitive) is false.
    public static boolean readBoolean() {
        try {
            return new Boolean(getToken()).booleanValue();
        } catch (Exception ex) {
            System.err.println(ex);
            return false;
    public static boolean readBoolean(String prompt) {
        print(prompt + " (boolean) : ");
        return readBoolean();
    // Consume and return an integer. Trailing delimiter consumed.
    public static int readInt() {
        try {
            return Integer.parseInt(getToken());
        } catch (Exception ex) {
            System.err.println(ex);
            return 0;
    public static int readInt(String prompt) {
        print(prompt + " (int) : ");
        return readInt();
    // Consume and return a double. Trailing delimiter consumed.
    public static double readDouble() {
        try {
            return new Double(getToken()).doubleValue();
        } catch (Exception ex) {
            System.err.println(ex);
            return 0.0;
    public static double readDouble(String prompt) {
        print(prompt + " (double) : ");
        return readDouble();
    // ADVANCED PUBLIC METHODS
    // Consume and return the next token (word) from input.
    // The trailing delimiter is also consumed. A token is a maximal sequence
    // of non-whitespace characters.
    public static String readToken() {
        try {
            return getToken();
        } catch (IOException ex) {
            System.err.println(ex);
            return "";
    // The next available character if any (which may be an end-of-line). The
    // character is not consumed. If bfr is empty return null character.
    public static char peekChar() {
        if (bfr==null || p>bfrlen) return('\000');
        else if (p==bfrlen) return('\n');
        else return bfr.charAt(p);
    public static int available() {
    // Number of characters available on this line (including end-of-line,
    // which counts as one character, ie '\n')
        if (bfr==null) return 0;
        else return (bfrlen+1-p);
    public static boolean hasMoreTokens() {
    // Are there more tokens on the current line?
        if(bfr==null) return false;
        int q;
        for(q=p; q<bfrlen && isWhitespace(q); q++);
        return(q<bfrlen);
    public static void skipLine() {
    // Skip any remaining input on this line.
        if(bfr!=null) p = bfrlen+1;
    public static void skipWhitespace() {
    // Consumes whitespaces until a non-whitespace character is entered (which
    // is not consumed).
        try {
            skipWhitespaces();
        } catch (IOException ex) {
            System.err.println(ex);
    public static boolean eof() { // NOT More characters?
    // This method is intended for use when stdin has been redirected from file
        if(available()>0) return false;
        try {
            readLine();
        } catch (IOException ex) {
            System.err.println(ex);
        return (bfr == null);
    public static String pause() {
        print("Press return to continue.");
        return(Keyboard.readString());
    public static boolean isWhitespace(int offset) {
        return (Character.isWhitespace(bfr.charAt(offset)));
    // PRIVATE HELPER METHODS
    private static void readLine() throws IOException {
        p = 0;
        bfrlen = 0;
        bfr = null;
        bfr = stdin.readLine();
        bfrlen = bfr.length();
    private static String getToken() throws IOException {
    // Consumes and returns the next word from input.
        skipWhitespaces();
        int t = p++;
        while( p<bfrlen && !(isWhitespace(p)) ) p++;
        return(bfr.substring(t,p++));
    private static void skipWhitespaces() throws IOException {
    // Consumes input until a non-whitespace character is entered (which
    // is not consumed).
        while ( bfr!=null && (p>=bfrlen||isWhitespace(p)) ) {
            if (p>=bfrlen) {
                readLine();
            } else {
                p++;
    private static void eofCheck() throws IOException {
        if(bfr==null) throw new IOException("Unexpected end of file.");
    private static void print(String msg) {
        System.out.print(msg);
    private static void println(String msg) {
        System.out.println(msg);
    // test harness
    public static void main(String[] args) {
        int i;
        double d;
        char c;
        boolean b;
        String s, t, u;
        println("TEST KEYBOARD VERSION 1.1");
        println("-------------------------");
        print("\nEnter a sequence of integers, terminated by -9: ");
        do {
            i = Keyboard.readInt();
            println("> i=^"+i+"^");
        } while(i!=-9);
        print("\nEnter integer character double boolean string: ");
        i = Keyboard.readInt(); println(""+i);
        c = Keyboard.readChar(); println(""+c);
        d = Keyboard.readDouble(); println(""+d);
        b = Keyboard.readBoolean(); println(""+b);
        s = Keyboard.readString(); println(s);
        pause();
        // Test for the empty string
        print("\nTest no input: ");
        s = pause();
        println("> expect s=^^; s=^"+s+"^");
        // Test readInt eats trailing spaces
        println("\nTest readInt eats trailing spaces: Copy & paste the below line:");
        println("3 ");
        i = Keyboard.readInt();
        s = Keyboard.readString();
        println("> expect s=^^; s=^"+s+"^");
        // Test skipWhitespace
        println("\nTest skipWhitespace: Copy & paste the below line");
        println("      123");
        Keyboard.skipWhitespace();
        c = Keyboard.peekChar();
        println("The first non-whitespace you entered was: "+c);
        println("There should be 3 characters available is: "+Keyboard.available());
        Keyboard.skipLine();
        c = Keyboard.peekChar();
        if (c == '\000') println("Nothing available.");
        else println("Available c=^"+c+"^");
        // Test read methods
        println("\nTest read methods: Copy & paste the below line");
        println("      23    TRue X   Java123   the  rest   ");
        i = Keyboard.readInt(); println("> i=^"+i+"^");
        b = Keyboard.readBoolean();  println("> b=^"+b+"^");
        c = Keyboard.readChar(); println("> c=^"+c+"^");
        t = Keyboard.readToken();  println("> t=^"+t+"^");
        s = Keyboard.readString(); println("> s=^"+s+"^");
        // Test hasMoreTokens()
        println("\nTest hasMoreTokens: Enter several words on a line : ");
        List<String> list = new ArrayList<String>(10);
        do {
            list.add(Keyboard.readToken());
        } while(Keyboard.hasMoreTokens());
        Keyboard.skipLine();
        for (String item : list) {
            println("> " + item);
        // Test available()
        println("Test available: Enter an arbitrary line of text");
        s = "";
        c = Keyboard.readChar(); s += c;
        while(Keyboard.available()>0) {
            c = Keyboard.readChar(); s += c;
        println(s);
}Edited by: corlettk on Oct 1, 2007 1:12 PM

Similar Messages

  • Error when trying to reinstall MBAM with SCCM

    We have SCCM 2012 R2 installed and I installed MBAM 2.0 SP1 with all the components on the same server.  Well that was a mistake as the website for MBAM took over and SCCM communication with all the clients was broken.  So I found a TechNet article
    that said I should only install the SCCM Integration Feature of MBAM and then install the other components on another VM.  I then proceeded to uninstall all the MBAM components and SCCM started working properly again.  I then went to reinstall just
    the SCCM integration feature of MBAM and I got the error that SCCM Objects already installed.  The resolution says "One or more components of the MBAM System Center Configuration Manager Objects have
    already been installed.  If the objects were previously installed then they were intentionally not removed. Please refer to the System Center Configuration Manager documentation on how to properly remove the installed MBAM System Center Configuration
    Manager objects. More information can be found at:
    http://go.microsoft.com/fwlink/?LinkID=276922.
    I went to that link and did the removal steps and I still get the error when trying to reinstall it.  Why am I still getting the error message?

    You have to remove the MBAM Supported Computers collection, The two BitLocker configuration items, the BitLocker configuration baseline, and the MBAM reports in CM, including the folder called MBAM (you will have to go to your SSRS server URL for your
    reporting services point to be able to delete the folder).

  • -251723760 CIP Error when trying to read and array of sgl from and AB ControlLogix PLC

    I have the NI Ethernet/IP module to communicate with an Allen-Bradley ControlLogix PLC. I am doing both reading (only 13 values) and writing (over 200 values). I am using the basic ethernetip tag write.vi to  do the writing. These program are in an executable running on a 'run-time' machine. I have the list of tagnames I am reading and writing to and have confirmed with the person who created the AB load that the array I am writing to on the AB side has more than enough addresses (it is an array of length 300). However I am only able to write 118 values to it. When trying to write 119 or more I get the error:
    -251723760 CIP error - extended status may be available
    I have confirmed with NI OPC Servers with an OPC quick client (running on my development PC) connected to the AB ControlLogix that the values I am writing to up to element 118 are getting through correctly, i.e. if I write 123.456 to sample_array[13] then I in fact see this same value at that location in the OPC quick client.
    To be honest I am a little disappointed that the error message is so cryptic and gives no hints as to what troubleshooting paths are possible. I have tried various combinations of group/tag names with and w/o offsets, e.g. [3], but nothing has led me any further.

    Thanks for the quick response - here are screenshots of before (write OK - writing 118 values - all except last are 0) and after (error - when trying to write an array of length 119) as well as the simple test program I as using.
    Attachments:
    NI Ethernet_IP 3-20-2013 Troubleshooting.zip ‏90 KB

  • Error when trying to use LogMiner with Oracle 8.1.6.0.0

    Hi everybody,
    I'm trying to use LogMiner with Oracle 8.1.6.0.0. When I execute the following code with SQL*Plus, I have an error.
    BEGIN
    DBMS_LOGMNR.START_LOGMNR
    (options =>
    dbms_logmnr.dict_from_online_catalog);
    END;
    The error displayed by SQL*Plus is:
    PLS-00302: 'DICT_FROM_ONLINE_CATALOG' must be declared.
    Please, how to solve this problem?
    Thanks you in advance for your answers.

    user639304 wrote:
    Hi everybody,
    I'm trying to use LogMiner with Oracle 8.1.6.0.0. When I execute the following code with SQL*Plus, I have an error.
    BEGIN
    DBMS_LOGMNR.START_LOGMNR
    (options =>
    dbms_logmnr.dict_from_online_catalog);
    END;
    The error displayed by SQL*Plus is:
    PLS-00302: 'DICT_FROM_ONLINE_CATALOG' must be declared.
    Please, how to solve this problem?
    Thanks you in advance for your answers.Looking at the 8.1.7 doc set (the oldest available on tahiti) I get no hits when searching for 'dict_from_online_catalog'. Searching the 9.2 doc set turns up a reference. Looks like you are trying to use an option that isn't available in your version of Oracle.

  • Unknown Error when trying to export movie with certain PNG files in Adobe Premiere

    Hi!
    I've made an animation video in Premiere Pro CC2014 combining apple pro-res live action with png animation. When trying to export, some parts of the video are no problem, and some (seemingly random) png files Adobe Premiere just doesn't like?? I don't understand why it will export some and not others?
    Help??!
    Thanks so much!!

    Error compiling movie can be anything from gap to bad clip, transition, effect, nest, you name it.
    Export from AME with preview open and watch were in the timeline it goes wrong.
    That is the place to fix it.

  • Connection Error when trying to Video Chat with a PC

    I recently purchase my first Mac, a 13 inch 2.0 GHz Macbook. I have been having problems with iChat. I couldn't even get it to work in the beginning. I am using my AIM account, I do not have a .Mac account. I called Applecare and they did not help me. Finally I changed the server settings port from 5190 to 443 and it let me connect. Before that it would just say "unexpectedly lost connection".
    So anyway, I have iChat version 3.1.8 and I am trying to video chat with friends on PCs. I have not been successful. I realize there are so many other discussions like this one and I feel like I have tried everything. If I invite someone to a video chat it says "declined invitation", even though they accept, and if they invite me it says "connection error". I have tried with friends on AIM 5.9 and 6.1.
    I have changed the Bandwidth settings to None. I have made the Quicktime streaming speed 1.5 Mbps T1/Intranet/Lan. I know there has been other advice about routers and allowing ports but I'm not really sure what all of that means. I think I've tried everything. Also, I connected with the appleutest on AIM and the video chat was successful. So it's obviously just with the PC users. I have been able to connect once or twice but then I'll try a little later and it won't work anymore. Sorry this is so long. I'd appreciate if anyone can help me. Thank you! Here is one of the error logs...
    Date/Time: 2007-08-27 21:57:20.565 -0700
    OS Version: 10.4.10 (Build 8R2232)
    Report Version: 4
    iChat Connection Log:
    AVChat started with ID 0.
    0x17442200: State change from AVChatNoState to AVChatStateWaiting.
    kramer120485: State change from AVChatNoState to AVChatStateInvited.
    0x17442200: State change from AVChatStateWaiting to AVChatStateConnecting.
    kramer120485: State change from AVChatStateInvited to AVChatStateConnecting.
    0x17442200: State change from AVChatStateConnecting to AVChatStateEnded.
    Chat ended with error -8
    kramer120485: State change from AVChatStateConnecting to AVChatStateEnded.
    Chat ended with error -8
    Video Conference Error Report:
    @:0 type=4 (00000000/36)
    [VCSIP_INVITEERROR]
    [19]
    @SIP/SIP.c:2448 type=4 (900A0015/36)
    [SIPConnectIPPort failed]
    @SIP/SIP.c:2448 type=4 (900A0015/36)
    [SIPConnectIPPort failed]
    @SIP/Transport.c:121 type=4 (00000000/0)
    [OPTIONS sip:192.168.1.2:5060 SIP/2.0
    From: sip:u0en0.1:5061;tag=2223130651
    To: sip:m.0:5061
    Call-Id: 118827703223417-ping-u0en0.1
    Cseq: 9631 OPTIONS
    User-Agent: COOL/4.6.8.5225 SIPxua/2.9.2.1008 (WinNT)
    Contact: sip:u0en0.1:5061
    Via: SIP/2.0/UDP u0en0.1:5061;rport
    Content-Length: 0
    @SIP/Transport.c:121 type=4 (00000000/0)
    Video Conference Support Report:
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [BYE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK058ba8604b6c6d15
    Max-Forwards: 70
    To: <sip:[email protected]:5061>;tag=1c23876
    From: <sip:[email protected]:5061>;tag=438999169
    Call-ID: s500573ea63db8814
    CSeq: 1 BYE
    User-Agent: Viceroy 1.2
    Content-Length: 0
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP 192.168.1.2;branch=z9hG4bK50d713b133ef954b
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=1376288434
    Call-ID: 247e40e4-5523-11dc-93ac-ec29f19d13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 509
    v=0
    o=Stephanie 0 0 IN IP4 192.168.1.2
    s=kramer120485
    c=IN IP4 192.168.1.2
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:-352557824
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:1557177696
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP 192.168.1.2;branch=z9hG4bK50d713b133ef954b
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=1376288434
    Call-ID: 247e40e4-5523-11dc-93ac-ec29f19d13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 509
    v=0
    o=Stephanie 0 0 IN IP4 192.168.1.2
    s=kramer120485
    c=IN IP4 192.168.1.2
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:-352557824
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:1557177696
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP 192.168.1.2;branch=z9hG4bK50d713b133ef954b
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=1376288434
    Call-ID: 247e40e4-5523-11dc-93ac-ec29f19d13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 509
    v=0
    o=Stephanie 0 0 IN IP4 192.168.1.2
    s=kramer120485
    c=IN IP4 192.168.1.2
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:-352557824
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:1557177696
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [BYE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK178c2dac53f4dc1e
    Max-Forwards: 70
    To: <sip:[email protected]:5061>;tag=1c23876
    From: <sip:[email protected]:5061>;tag=438999169
    Call-ID: s500573ea63db8814
    CSeq: 2 BYE
    User-Agent: Viceroy 1.2
    Content-Length: 0
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK451ce4c26f245878
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=268306451
    Call-ID: 234ce95a-5523-11dc-93ac-f48eff1b13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]:5061>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 513
    v=0
    o=Stephanie 0 0 IN IP4 m.0
    s=kramer120485
    c=IN IP4 m.0
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:-352557824
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:1557177696
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK451ce4c26f245878
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=268306451
    Call-ID: 234ce95a-5523-11dc-93ac-f48eff1b13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]:5061>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 513
    v=0
    o=Stephanie 0 0 IN IP4 m.0
    s=kramer120485
    c=IN IP4 m.0
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:-352557824
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:1557177696
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK451ce4c26f245878
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=268306451
    Call-ID: 234ce95a-5523-11dc-93ac-f48eff1b13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]:5061>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 513
    v=0
    o=Stephanie 0 0 IN IP4 m.0
    s=kramer120485
    c=IN IP4 m.0
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:-352557824
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:1557177696
    @:0 type=2 (00000000/36)
    [VCVIDEO_OUTGOINGATTEMPT]
    [4]
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [BYE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK178c2dac53f4dc1e
    Max-Forwards: 70
    To: <sip:[email protected]:5061>;tag=1c23876
    From: <sip:[email protected]:5061>;tag=438999169
    Call-ID: s500573ea63db8814
    CSeq: 2 BYE
    User-Agent: Viceroy 1.2
    Content-Length: 0
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [BYE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK058ba8604b6c6d15
    Max-Forwards: 70
    To: <sip:[email protected]:5061>;tag=1c23876
    From: <sip:[email protected]:5061>;tag=438999169
    Call-ID: s500573ea63db8814
    CSeq: 1 BYE
    User-Agent: Viceroy 1.2
    Content-Length: 0
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [BYE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0:5061;branch=z9hG4bK178c2dac53f4dc1e
    Max-Forwards: 70
    To: <sip:[email protected]:5061>;tag=1c23876
    From: <sip:[email protected]:5061>;tag=438999169
    Call-ID: s500573ea63db8814
    CSeq: 2 BYE
    User-Agent: Viceroy 1.2
    Content-Length: 0
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [SIP/2.0 200 OK
    Via: SIP/2.0/UDP u0en0.1:5061;received=u0en0.0
    To: <sip:m.0:5061>;tag=1924108266
    From: <sip:u0en0.1:5061>;tag=2223130651
    Call-ID: 118827703223417-ping-u0en0.1
    CSeq: 9631 OPTIONS
    Contact: <sip:[email protected]:5061>;isfocus
    Allow: INVITE, ACK, OPTIONS, BYE, CANCEL, MESSAGE, REFER, SUBSCRIBE, NOTIFY, INFO
    Allow-Events: conference, refer
    Accept: application/sdp, message/sipfrag, application/conference-info+xml
    User-Agent: Viceroy 1.2
    Content-Length: 0
    Video Conference User Report:
    Binary Images Description for "iChat":
    0x1000 - 0x17dfff com.apple.iChat 3.1.8 (445) /Applications/iChat.app/Contents/MacOS/iChat
    0x14ccc000 - 0x14cd5fff com.apple.IOFWDVComponents 1.9.0 /System/Library/Components/IOFWDVComponents.component/Contents/MacOS/IOFWDVComp onents
    0x14d5a000 - 0x14d8afff com.apple.QuickTimeIIDCDigitizer 7.2 /System/Library/QuickTime/QuickTimeIIDCDigitizer.component/Contents/MacOS/Quick TimeIIDCDigitizer
    0x14d94000 - 0x14ddafff com.apple.QuickTimeUSBVDCDigitizer 2.0.0 /System/Library/QuickTime/QuickTimeUSBVDCDigitizer.component/Contents/MacOS/Qui ckTimeUSBVDCDigitizer
    0x14e02000 - 0x14e07fff com.apple.audio.AppleHDAHALPlugIn 1.3.3 (1.3.3a1) /System/Library/Extensions/AppleHDA.kext/Contents/PlugIns/AppleHDAHALPlugIn.bun dle/Contents/MacOS/AppleHDAHALPlugIn
    0x14e16000 - 0x14f6ffff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Resources/GLEngine.bundle/GLEngine
    0x14f9b000 - 0x14ff4fff com.apple.driver.AppleIntelGMA950GLDriver 1.4.56 (4.5.6) /System/Library/Extensions/AppleIntelGMA950GLDriver.bundle/Contents/MacOS/Apple IntelGMA950GLDriver
    0x14ffb000 - 0x15017fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Resources/GLDriver.bundl e/GLDriver
    0x1501e000 - 0x15042fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Resources/GLRendererFloa t.bundle/GLRendererFloat
    0x15297000 - 0x1529afff com.apple.audio.AudioIPCPlugIn 1.0.2 /System/Library/Extensions/AudioIPCDriver.kext/Contents/Resources/AudioIPCPlugI n.bundle/Contents/MacOS/AudioIPCPlugIn
    0x152b6000 - 0x152e0fff com.apple.audio.SoundManager.Components 3.9.2 /System/Library/Components/SoundManagerComponents.component/Contents/MacOS/Soun dManagerComponents
    0x16420000 - 0x16423fff com.apple.iokit.IOQTComponents 1.4 /System/Library/Components/IOQTComponents.component/Contents/MacOS/IOQTComponen ts
    0x16c88000 - 0x16ca1fff com.apple.AppleIntermediateCodec 1.1 (141) /Library/QuickTime/AppleIntermediateCodec.component/Contents/MacOS/AppleInterme diateCodec
    0x16ca6000 - 0x16cbffff com.apple.applepixletvideo 1.2.9 (1.2d9) /System/Library/QuickTime/ApplePixletVideo.component/Contents/MacOS/ApplePixlet Video
    0x41840000 - 0x41863fff com.apple.CoreMediaPrivate 1.0 /System/Library/PrivateFrameworks/CoreMediaPrivate.framework/Versions/A/CoreMed iaPrivate
    0x419b0000 - 0x419ecfff com.apple.QuickTimeFireWireDV.component 7.2 /System/Library/QuickTime/QuickTimeFireWireDV.component/Contents/MacOS/QuickTim eFireWireDV
    0x41a30000 - 0x41a33fff com.apple.CoreMediaAuthoringPrivate 1.0 /System/Library/PrivateFrameworks/CoreMediaAuthoringPrivate.framework/Versions/ A/CoreMediaAuthoringPrivate
    0x8fe00000 - 0x8fe4afff dyld /usr/lib/dyld
    0x90000000 - 0x90171fff libSystem.B.dylib /usr/lib/libSystem.B.dylib
    0x901c1000 - 0x901c3fff libmathCommon.A.dylib /usr/lib/system/libmathCommon.A.dylib
    0x901c5000 - 0x90202fff com.apple.CoreText 1.1.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreText.framework/Versions/A/CoreText
    0x90229000 - 0x902fffff com.apple.ApplicationServices.ATS 2.0.6 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
    0x9031f000 - 0x90774fff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x9080b000 - 0x908d3fff com.apple.CoreFoundation 6.4.7 (368.28) /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x90911000 - 0x90911fff com.apple.CoreServices 10.4 (???) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x90913000 - 0x90a07fff libicucore.A.dylib /usr/lib/libicucore.A.dylib
    0x90a57000 - 0x90ad6fff libobjc.A.dylib /usr/lib/libobjc.A.dylib
    0x90aff000 - 0x90b63fff libstdc++.6.dylib /usr/lib/libstdc++.6.dylib
    0x90bd2000 - 0x90bd9fff libgcc_s.1.dylib /usr/lib/libgcc_s.1.dylib
    0x90bde000 - 0x90c51fff com.apple.framework.IOKit 1.4.8 (???) /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x90c66000 - 0x90c78fff libauto.dylib /usr/lib/libauto.dylib
    0x90c7e000 - 0x90f24fff com.apple.CoreServices.CarbonCore 682.26 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x90f67000 - 0x90fcffff com.apple.CoreServices.OSServices 4.1 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x91008000 - 0x91046fff com.apple.CFNetwork 129.20 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x91059000 - 0x91069fff com.apple.WebServices 1.1.3 (1.1.0) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/WebServ icesCore.framework/Versions/A/WebServicesCore
    0x91074000 - 0x910f3fff com.apple.SearchKit 1.0.5 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x9112d000 - 0x9114bfff com.apple.Metadata 10.4.4 (121.36) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x91157000 - 0x91165fff libz.1.dylib /usr/lib/libz.1.dylib
    0x91168000 - 0x91307fff com.apple.security 4.5.2 (29774) /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x91405000 - 0x9140dfff com.apple.DiskArbitration 2.1.1 /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x91414000 - 0x9141bfff libbsm.dylib /usr/lib/libbsm.dylib
    0x9141f000 - 0x91445fff com.apple.SystemConfiguration 1.8.6 /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x91457000 - 0x914cdfff com.apple.audio.CoreAudio 3.0.4 /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x9151e000 - 0x9151efff com.apple.ApplicationServices 10.4 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x91520000 - 0x9154cfff com.apple.AE 314 (313) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ AE.framework/Versions/A/AE
    0x9155f000 - 0x91633fff com.apple.ColorSync 4.4.9 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x9166e000 - 0x916e1fff com.apple.print.framework.PrintCore 4.6 (177.13) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x9170f000 - 0x917b8fff com.apple.QD 3.10.24 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x917de000 - 0x91829fff com.apple.HIServices 1.5.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x91848000 - 0x9185efff com.apple.LangAnalysis 1.6.3 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x9186a000 - 0x91885fff com.apple.FindByContent 1.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ FindByContent.framework/Versions/A/FindByContent
    0x91890000 - 0x918cdfff com.apple.LaunchServices 182 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LaunchServices.framework/Versions/A/LaunchServices
    0x918e1000 - 0x918edfff com.apple.speech.synthesis.framework 3.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x918f4000 - 0x91934fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x91947000 - 0x919f9fff libcrypto.0.9.7.dylib /usr/lib/libcrypto.0.9.7.dylib
    0x91a3f000 - 0x91a55fff libcups.2.dylib /usr/lib/libcups.2.dylib
    0x91a5a000 - 0x91a78fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x91a7d000 - 0x91adcfff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x91aee000 - 0x91af2fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x91af4000 - 0x91b7afff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRaw.dylib
    0x91b7e000 - 0x91bbbfff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x91bc1000 - 0x91bdbfff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x91be0000 - 0x91be2fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x91be4000 - 0x91cc2fff libxml2.2.dylib /usr/lib/libxml2.2.dylib
    0x91cdf000 - 0x91cdffff com.apple.Accelerate 1.3.1 (Accelerate 1.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x91ce1000 - 0x91d6ffff com.apple.vImage 2.5 /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x91d76000 - 0x91d76fff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
    0x91d78000 - 0x91dd1fff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x91dda000 - 0x91dfefff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x91e06000 - 0x9220ffff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x92249000 - 0x925fdfff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x9262a000 - 0x92717fff libiconv.2.dylib /usr/lib/libiconv.2.dylib
    0x92719000 - 0x92796fff com.apple.DesktopServices 1.3.6 /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x927d7000 - 0x92a07fff com.apple.Foundation 6.4.8 (567.29) /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x92b21000 - 0x92b38fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x92b43000 - 0x92b9bfff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x92baf000 - 0x92baffff com.apple.Carbon 10.4 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x92bb1000 - 0x92bc1fff com.apple.ImageCapture 3.0.4 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x92bd0000 - 0x92bd8fff com.apple.speech.recognition.framework 3.6 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x92bde000 - 0x92be4fff com.apple.securityhi 2.0.1 (24742) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x92bea000 - 0x92c7bfff com.apple.ink.framework 101.2.1 (71) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x92c8f000 - 0x92c93fff com.apple.help 1.0.3 (32.1) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x92c96000 - 0x92cb4fff com.apple.openscripting 1.2.5 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x92cc6000 - 0x92cccfff com.apple.print.framework.Print 5.2 (192.4) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x92cd2000 - 0x92d35fff com.apple.htmlrendering 66.1 (1.1.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x92d5c000 - 0x92d9dfff com.apple.NavigationServices 3.4.4 (3.4.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x92dc4000 - 0x92dd2fff com.apple.audio.SoundManager 3.9.1 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x92dd9000 - 0x92ddefff com.apple.CommonPanels 1.2.3 (73) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x92de3000 - 0x930d8fff com.apple.HIToolbox 1.4.9 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x931de000 - 0x931e9fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x931ee000 - 0x93209fff com.apple.DirectoryService.Framework 3.3 /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x93259000 - 0x93259fff com.apple.Cocoa 6.4 (???) /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x9325b000 - 0x93911fff com.apple.AppKit 6.4.8 (824.42) /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x93c92000 - 0x93d0dfff com.apple.CoreData 91 (92.1) /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x93d46000 - 0x93e00fff com.apple.audio.toolbox.AudioToolbox 1.4.5 /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x93e43000 - 0x93e43fff com.apple.audio.units.AudioUnit 1.4.3 /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x93e45000 - 0x94006fff com.apple.QuartzCore 1.4.12 /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x9404c000 - 0x9408dfff libsqlite3.0.dylib /usr/lib/libsqlite3.0.dylib
    0x94095000 - 0x940cffff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x940d4000 - 0x940eafff com.apple.CoreVideo 1.4.1 /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo
    0x94130000 - 0x94178fff com.apple.bom 8.5 (86.3) /System/Library/PrivateFrameworks/Bom.framework/Versions/A/Bom
    0x94182000 - 0x941c0fff com.apple.vmutils 4.0.2 (93.1) /System/Library/PrivateFrameworks/vmutils.framework/Versions/A/vmutils
    0x94204000 - 0x94215fff com.apple.securityfoundation 2.2.1 (28150) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x94223000 - 0x94261fff com.apple.securityinterface 2.2.1 (27695) /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x9427d000 - 0x9428cfff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x94293000 - 0x9429efff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x942ea000 - 0x94304fff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x9430a000 - 0x94613fff com.apple.QuickTime 7.2.0 /System/Library/Frameworks/QuickTime.framework/Versions/A/QuickTime
    0x94796000 - 0x948dcfff com.apple.AddressBook.framework 4.0.5 (487) /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x94968000 - 0x94977fff com.apple.DSObjCWrappers.Framework 1.1 /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x9497e000 - 0x949a7fff com.apple.LDAPFramework 1.4.2 (69.1.1) /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x949ad000 - 0x949bcfff libsasl2.2.dylib /usr/lib/libsasl2.2.dylib
    0x949c0000 - 0x949e5fff libssl.0.9.7.dylib /usr/lib/libssl.0.9.7.dylib
    0x949f1000 - 0x94a0efff libresolv.9.dylib /usr/lib/libresolv.9.dylib
    0x94a15000 - 0x94a7afff com.apple.Bluetooth 1.9 (1.9f8) /System/Library/Frameworks/IOBluetooth.framework/Versions/A/IOBluetooth
    0x94d39000 - 0x94dccfff com.apple.WebKit 419.2 /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x94e26000 - 0x94ea8fff com.apple.JavaScriptCore 418.5 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/JavaScriptCor e.framework/Versions/A/JavaScriptCore
    0x94ee1000 - 0x951c0fff com.apple.WebCore 418.22 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0x9533f000 - 0x95362fff libxslt.1.dylib /usr/lib/libxslt.1.dylib
    0x9654b000 - 0x9654bfff com.apple.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/vecLib.framework/Versions/A/vecLib
    0x96a32000 - 0x96a54fff com.apple.speech.LatentSemanticMappingFramework 2.5 /System/Library/PrivateFrameworks/LatentSemanticMapping.framework/Versions/A/La tentSemanticMapping
    0x96ac5000 - 0x96b9cfff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLProgramma bility.dylib
    0x96bb7000 - 0x96bb8fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLSystem.dy lib
    0x96bba000 - 0x96bbffff com.apple.agl 2.5.9 (AGL-2.5.9) /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x96d16000 - 0x96d16fff com.apple.MonitorPanelFramework 1.1.1 /System/Library/PrivateFrameworks/MonitorPanel.framework/Versions/A/MonitorPane l
    0x97478000 - 0x97561fff com.apple.viceroy.framework 278.3.10 /System/Library/PrivateFrameworks/VideoConference.framework/Versions/A/VideoCon ference
    0x97ca5000 - 0x97ca7fff com.apple.DisplayServicesFW 1.8.2 /System/Library/PrivateFrameworks/DisplayServices.framework/Versions/A/DisplayS ervices
    0x97ed4000 - 0x98d38fff com.apple.QuickTimeComponents.component 7.2 /System/Library/QuickTime/QuickTimeComponents.component/Contents/MacOS/QuickTim eComponents
    0x98fb9000 - 0x98fbbfff com.apple.QuickTimeH264.component 7.2 /System/Library/QuickTime/QuickTimeH264.component/Contents/MacOS/QuickTimeH264
    0x98fbd000 - 0x99343fff com.apple.QuickTimeH264.component 7.2 /System/Library/QuickTime/QuickTimeH264.component/Contents/Resources/QuickTimeH 264.scalar
    0x993be000 - 0x99484fff com.apple.QuickTimeMPEG4.component 7.2 /System/Library/QuickTime/QuickTimeMPEG4.component/Contents/MacOS/QuickTimeMPEG 4
    0x9990b000 - 0x99916fff com.apple.IMFramework 3.1.4 (429) /System/Library/Frameworks/InstantMessage.framework/Versions/A/InstantMessage
    0x99920000 - 0x99a8cfff com.apple.MessageFramework 2.1.1 (752.3) /System/Library/Frameworks/Message.framework/Versions/B/Message

    So I tried all of those things and it's still not working. Again, when I invite my friend to a one-way video chat it says "Declined invitation", when they invite me it says "Failed to Start Video Chat" because I did not respond, even though I hit accept. Should I change the MTU rate back to 1500? Should I enable the SPI again? Any other ideas. Here is an updated error log. This is with someone who is on AIM 6.1.
    Date/Time: 2007-08-29 22:10:18.879 -0700
    OS Version: 10.4.10 (Build 8R2232)
    Report Version: 4
    iChat Connection Log:
    AVChat started with ID 0.
    0x16b255b0: State change from AVChatNoState to AVChatStateWaiting.
    kramer120485: State change from AVChatNoState to AVChatStateInvited.
    0x16b255b0: State change from AVChatStateWaiting to AVChatStateConnecting.
    kramer120485: State change from AVChatStateInvited to AVChatStateConnecting.
    0x16b255b0: State change from AVChatStateConnecting to AVChatStateEnded.
    Chat ended with error -8
    kramer120485: State change from AVChatStateConnecting to AVChatStateEnded.
    Chat ended with error -8
    Video Conference Error Report:
    @:0 type=4 (00000000/36)
    [VCSIP_INVITEERROR]
    [19]
    @SIP/SIP.c:2448 type=4 (900A0015/36)
    [SIPConnectIPPort failed]
    @SIP/SIP.c:2448 type=4 (900A0015/36)
    [SIPConnectIPPort failed]
    @SIP/Transport.c:121 type=4 (00000000/0)
    [OPTIONS sip:m.0 SIP/2.0
    From: sip:u0en0.1:5061;tag=354210125
    To: sip:m.0
    Call-Id: 1188450613398-ping-u0en0.1
    Cseq: 14044 OPTIONS
    User-Agent: COOL/4.6.8.5225 SIPxua/2.9.2.1008 (WinNT)
    Contact: sip:u0en0.1:5061
    Via: SIP/2.0/UDP u0en0.1:5061;rport
    Content-Length: 0
    @SIP/Transport.c:121 type=4 (00000000/0)
    Video Conference Support Report:
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP 192.168.1.2;branch=z9hG4bK45bf9b4029512f36
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=863447353
    Call-ID: 4a7ed6ce-56b7-11dc-a84e-febdb08a13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 508
    v=0
    o=Stephanie 0 0 IN IP4 192.168.1.2
    s=kramer120485
    c=IN IP4 192.168.1.2
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:1527196245
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:399509800
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP 192.168.1.2;branch=z9hG4bK45bf9b4029512f36
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=863447353
    Call-ID: 4a7ed6ce-56b7-11dc-a84e-febdb08a13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 508
    v=0
    o=Stephanie 0 0 IN IP4 192.168.1.2
    s=kramer120485
    c=IN IP4 192.168.1.2
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:1527196245
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:399509800
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP 192.168.1.2;branch=z9hG4bK45bf9b4029512f36
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=863447353
    Call-ID: 4a7ed6ce-56b7-11dc-a84e-febdb08a13c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 508
    v=0
    o=Stephanie 0 0 IN IP4 192.168.1.2
    s=kramer120485
    c=IN IP4 192.168.1.2
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:1527196245
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:399509800
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0;branch=z9hG4bK1e53a44b0e00db38
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=1875509092
    Call-ID: 494d8476-56b7-11dc-a84e-e079f26313c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 512
    v=0
    o=Stephanie 0 0 IN IP4 m.0
    s=kramer120485
    c=IN IP4 m.0
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:1527196245
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:399509800
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0;branch=z9hG4bK1e53a44b0e00db38
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=1875509092
    Call-ID: 494d8476-56b7-11dc-a84e-e079f26313c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 512
    v=0
    o=Stephanie 0 0 IN IP4 m.0
    s=kramer120485
    c=IN IP4 m.0
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:1527196245
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:399509800
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [INVITE sip:[email protected]:5061 SIP/2.0
    Via: SIP/2.0/UDP m.0;branch=z9hG4bK1e53a44b0e00db38
    Max-Forwards: 70
    To: "u0" <sip:[email protected]:5061>
    From: "kramer120485" <sip:[email protected]>;tag=1875509092
    Call-ID: 494d8476-56b7-11dc-a84e-e079f26313c4@lip
    CSeq: 1 INVITE
    Contact: <sip:[email protected]>;isfocus
    User-Agent: Viceroy 1.2
    Content-Type: application/sdp
    Content-Length: 512
    v=0
    o=Stephanie 0 0 IN IP4 m.0
    s=kramer120485
    c=IN IP4 m.0
    b=AS:2147483647
    t=0 0
    a=hwi:1028:2:2000
    a=bandwidthDetection:YES
    a=iChatEncryption:NO
    m=audio 16386 RTP/AVP 12 3 0
    a=rtpmap:3 GSM/8000
    a=rtpmap:0 PCMU/8000
    a=rtpID:1527196245
    m=video 16384 RTP/AVP 126 34
    a=rtpmap:126 X-H264/90000
    a=rtpmap:34 H263/90000
    a=fmtp:34 imagesize 1 rules 30:352:288
    a=framerate:20
    a=RTCP:AUDIO 16387 VIDEO 16385
    a=pogo
    a=fmtp:126 imagesize 0 rules 20:640:480:640:480
    a=rtpID:399509800
    @:0 type=2 (00000000/36)
    [VCVIDEO_OUTGOINGATTEMPT]
    [4]
    @SIP/Transport.c:1218 type=1 (00000000/0)
    [SIP/2.0 200 OK
    Via: SIP/2.0/UDP u0en0.1:5061;received=u0en0.0
    To: <sip:m.0>;tag=584405541
    From: <sip:u0en0.1:5061>;tag=2758322183
    Call-ID: 11884505823567-ping-u0en0.1
    CSeq: 26665 OPTIONS
    Contact: <sip:[email protected]>;isfocus
    Allow: INVITE, ACK, OPTIONS, BYE, CANCEL, MESSAGE, REFER, SUBSCRIBE, NOTIFY, INFO
    Allow-Events: conference, refer
    Accept: application/sdp, message/sipfrag, application/conference-info+xml
    User-Agent: Viceroy 1.2
    Content-Length: 0
    Video Conference User Report:
    Binary Images Description for "iChat":
    0x1000 - 0x17dfff com.apple.iChat 3.1.8 (445) /Applications/iChat.app/Contents/MacOS/iChat
    0x14cbc000 - 0x14cc5fff com.apple.IOFWDVComponents 1.9.0 /System/Library/Components/IOFWDVComponents.component/Contents/MacOS/IOFWDVComp onents
    0x14d4b000 - 0x14d7bfff com.apple.QuickTimeIIDCDigitizer 7.2 /System/Library/QuickTime/QuickTimeIIDCDigitizer.component/Contents/MacOS/Quick TimeIIDCDigitizer
    0x14d85000 - 0x14dcbfff com.apple.QuickTimeUSBVDCDigitizer 2.0.0 /System/Library/QuickTime/QuickTimeUSBVDCDigitizer.component/Contents/MacOS/Qui ckTimeUSBVDCDigitizer
    0x14df3000 - 0x14df8fff com.apple.audio.AppleHDAHALPlugIn 1.3.3 (1.3.3a1) /System/Library/Extensions/AppleHDA.kext/Contents/PlugIns/AppleHDAHALPlugIn.bun dle/Contents/MacOS/AppleHDAHALPlugIn
    0x14e07000 - 0x14f60fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Resources/GLEngine.bundle/GLEngine
    0x14f8c000 - 0x14fe5fff com.apple.driver.AppleIntelGMA950GLDriver 1.4.56 (4.5.6) /System/Library/Extensions/AppleIntelGMA950GLDriver.bundle/Contents/MacOS/Apple IntelGMA950GLDriver
    0x14fec000 - 0x15008fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Resources/GLDriver.bundl e/GLDriver
    0x1500f000 - 0x15033fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Resources/GLRendererFloa t.bundle/GLRendererFloat
    0x15288000 - 0x1528bfff com.apple.audio.AudioIPCPlugIn 1.0.2 /System/Library/Extensions/AudioIPCDriver.kext/Contents/Resources/AudioIPCPlugI n.bundle/Contents/MacOS/AudioIPCPlugIn
    0x152a7000 - 0x152d1fff com.apple.audio.SoundManager.Components 3.9.2 /System/Library/Components/SoundManagerComponents.component/Contents/MacOS/Soun dManagerComponents
    0x15f1f000 - 0x15f22fff com.apple.iokit.IOQTComponents 1.4 /System/Library/Components/IOQTComponents.component/Contents/MacOS/IOQTComponen ts
    0x419b0000 - 0x419ecfff com.apple.QuickTimeFireWireDV.component 7.2 /System/Library/QuickTime/QuickTimeFireWireDV.component/Contents/MacOS/QuickTim eFireWireDV
    0x8fe00000 - 0x8fe4afff dyld /usr/lib/dyld
    0x90000000 - 0x90171fff libSystem.B.dylib /usr/lib/libSystem.B.dylib
    0x901c1000 - 0x901c3fff libmathCommon.A.dylib /usr/lib/system/libmathCommon.A.dylib
    0x901c5000 - 0x90202fff com.apple.CoreText 1.1.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreText.framework/Versions/A/CoreText
    0x90229000 - 0x902fffff com.apple.ApplicationServices.ATS 2.0.6 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
    0x9031f000 - 0x90774fff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/CoreGraphics
    0x9080b000 - 0x908d3fff com.apple.CoreFoundation 6.4.7 (368.28) /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
    0x90911000 - 0x90911fff com.apple.CoreServices 10.4 (???) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
    0x90913000 - 0x90a07fff libicucore.A.dylib /usr/lib/libicucore.A.dylib
    0x90a57000 - 0x90ad6fff libobjc.A.dylib /usr/lib/libobjc.A.dylib
    0x90aff000 - 0x90b63fff libstdc++.6.dylib /usr/lib/libstdc++.6.dylib
    0x90bd2000 - 0x90bd9fff libgcc_s.1.dylib /usr/lib/libgcc_s.1.dylib
    0x90bde000 - 0x90c51fff com.apple.framework.IOKit 1.4.8 (???) /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
    0x90c66000 - 0x90c78fff libauto.dylib /usr/lib/libauto.dylib
    0x90c7e000 - 0x90f24fff com.apple.CoreServices.CarbonCore 682.26 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonC ore.framework/Versions/A/CarbonCore
    0x90f67000 - 0x90fcffff com.apple.CoreServices.OSServices 4.1 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServi ces.framework/Versions/A/OSServices
    0x91008000 - 0x91046fff com.apple.CFNetwork 129.20 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
    0x91059000 - 0x91069fff com.apple.WebServices 1.1.3 (1.1.0) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/WebServ icesCore.framework/Versions/A/WebServicesCore
    0x91074000 - 0x910f3fff com.apple.SearchKit 1.0.5 /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchK it.framework/Versions/A/SearchKit
    0x9112d000 - 0x9114bfff com.apple.Metadata 10.4.4 (121.36) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
    0x91157000 - 0x91165fff libz.1.dylib /usr/lib/libz.1.dylib
    0x91168000 - 0x91307fff com.apple.security 4.5.2 (29774) /System/Library/Frameworks/Security.framework/Versions/A/Security
    0x91405000 - 0x9140dfff com.apple.DiskArbitration 2.1.1 /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration
    0x91414000 - 0x9141bfff libbsm.dylib /usr/lib/libbsm.dylib
    0x9141f000 - 0x91445fff com.apple.SystemConfiguration 1.8.6 /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
    0x91457000 - 0x914cdfff com.apple.audio.CoreAudio 3.0.4 /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
    0x9151e000 - 0x9151efff com.apple.ApplicationServices 10.4 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
    0x91520000 - 0x9154cfff com.apple.AE 314 (313) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ AE.framework/Versions/A/AE
    0x9155f000 - 0x91633fff com.apple.ColorSync 4.4.9 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ColorSync.framework/Versions/A/ColorSync
    0x9166e000 - 0x916e1fff com.apple.print.framework.PrintCore 4.6 (177.13) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ PrintCore.framework/Versions/A/PrintCore
    0x9170f000 - 0x917b8fff com.apple.QD 3.10.24 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ QD.framework/Versions/A/QD
    0x917de000 - 0x91829fff com.apple.HIServices 1.5.2 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
    0x91848000 - 0x9185efff com.apple.LangAnalysis 1.6.3 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LangAnalysis.framework/Versions/A/LangAnalysis
    0x9186a000 - 0x91885fff com.apple.FindByContent 1.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ FindByContent.framework/Versions/A/FindByContent
    0x91890000 - 0x918cdfff com.apple.LaunchServices 182 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ LaunchServices.framework/Versions/A/LaunchServices
    0x918e1000 - 0x918edfff com.apple.speech.synthesis.framework 3.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
    0x918f4000 - 0x91934fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
    0x91947000 - 0x919f9fff libcrypto.0.9.7.dylib /usr/lib/libcrypto.0.9.7.dylib
    0x91a3f000 - 0x91a55fff libcups.2.dylib /usr/lib/libcups.2.dylib
    0x91a5a000 - 0x91a78fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJPEG.dylib
    0x91a7d000 - 0x91adcfff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
    0x91aee000 - 0x91af2fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
    0x91af4000 - 0x91b7afff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRaw.dylib
    0x91b7e000 - 0x91bbbfff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
    0x91bc1000 - 0x91bdbfff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
    0x91be0000 - 0x91be2fff com.apple.ImageIO.framework 1.5.5 /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
    0x91be4000 - 0x91cc2fff libxml2.2.dylib /usr/lib/libxml2.2.dylib
    0x91cdf000 - 0x91cdffff com.apple.Accelerate 1.3.1 (Accelerate 1.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
    0x91ce1000 - 0x91d6ffff com.apple.vImage 2.5 /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.fr amework/Versions/A/vImage
    0x91d76000 - 0x91d76fff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
    0x91d78000 - 0x91dd1fff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvMisc.dylib
    0x91dda000 - 0x91dfefff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
    0x91e06000 - 0x9220ffff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
    0x92249000 - 0x925fdfff com.apple.Accelerate.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
    0x9262a000 - 0x92717fff libiconv.2.dylib /usr/lib/libiconv.2.dylib
    0x92719000 - 0x92796fff com.apple.DesktopServices 1.3.6 /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
    0x927d7000 - 0x92a07fff com.apple.Foundation 6.4.8 (567.29) /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
    0x92b21000 - 0x92b38fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
    0x92b43000 - 0x92b9bfff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
    0x92baf000 - 0x92baffff com.apple.Carbon 10.4 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
    0x92bb1000 - 0x92bc1fff com.apple.ImageCapture 3.0.4 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
    0x92bd0000 - 0x92bd8fff com.apple.speech.recognition.framework 3.6 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
    0x92bde000 - 0x92be4fff com.apple.securityhi 2.0.1 (24742) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
    0x92bea000 - 0x92c7bfff com.apple.ink.framework 101.2.1 (71) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework /Versions/A/Ink
    0x92c8f000 - 0x92c93fff com.apple.help 1.0.3 (32.1) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
    0x92c96000 - 0x92cb4fff com.apple.openscripting 1.2.5 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
    0x92cc6000 - 0x92cccfff com.apple.print.framework.Print 5.2 (192.4) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
    0x92cd2000 - 0x92d35fff com.apple.htmlrendering 66.1 (1.1.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HTMLRendering .framework/Versions/A/HTMLRendering
    0x92d5c000 - 0x92d9dfff com.apple.NavigationServices 3.4.4 (3.4.3) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/NavigationSer vices.framework/Versions/A/NavigationServices
    0x92dc4000 - 0x92dd2fff com.apple.audio.SoundManager 3.9.1 /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CarbonSound.f ramework/Versions/A/CarbonSound
    0x92dd9000 - 0x92ddefff com.apple.CommonPanels 1.2.3 (73) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
    0x92de3000 - 0x930d8fff com.apple.HIToolbox 1.4.9 (???) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.fra mework/Versions/A/HIToolbox
    0x931de000 - 0x931e9fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
    0x931ee000 - 0x93209fff com.apple.DirectoryService.Framework 3.3 /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryServi ce
    0x93259000 - 0x93259fff com.apple.Cocoa 6.4 (???) /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa
    0x9325b000 - 0x93911fff com.apple.AppKit 6.4.8 (824.42) /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
    0x93c92000 - 0x93d0dfff com.apple.CoreData 91 (92.1) /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
    0x93d46000 - 0x93e00fff com.apple.audio.toolbox.AudioToolbox 1.4.5 /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
    0x93e43000 - 0x93e43fff com.apple.audio.units.AudioUnit 1.4.3 /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
    0x93e45000 - 0x94006fff com.apple.QuartzCore 1.4.12 /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
    0x9404c000 - 0x9408dfff libsqlite3.0.dylib /usr/lib/libsqlite3.0.dylib
    0x94095000 - 0x940cffff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
    0x940d4000 - 0x940eafff com.apple.CoreVideo 1.4.1 /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo
    0x94130000 - 0x94178fff com.apple.bom 8.5 (86.3) /System/Library/PrivateFrameworks/Bom.framework/Versions/A/Bom
    0x94182000 - 0x941c0fff com.apple.vmutils 4.0.2 (93.1) /System/Library/PrivateFrameworks/vmutils.framework/Versions/A/vmutils
    0x94204000 - 0x94215fff com.apple.securityfoundation 2.2.1 (28150) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
    0x94223000 - 0x94261fff com.apple.securityinterface 2.2.1 (27695) /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInter face
    0x9427d000 - 0x9428cfff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGATS.A.dylib
    0x94293000 - 0x9429efff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
    0x942ea000 - 0x94304fff com.apple.CoreGraphics 1.258.75 (???) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
    0x9430a000 - 0x94613fff com.apple.QuickTime 7.2.0 /System/Library/Frameworks/QuickTime.framework/Versions/A/QuickTime
    0x94796000 - 0x948dcfff com.apple.AddressBook.framework 4.0.5 (487) /System/Library/Frameworks/AddressBook.framework/Versions/A/AddressBook
    0x94968000 - 0x94977fff com.apple.DSObjCWrappers.Framework 1.1 /System/Library/PrivateFrameworks/DSObjCWrappers.framework/Versions/A/DSObjCWra ppers
    0x9497e000 - 0x949a7fff com.apple.LDAPFramework 1.4.2 (69.1.1) /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP
    0x949ad000 - 0x949bcfff libsasl2.2.dylib /usr/lib/libsasl2.2.dylib
    0x949c0000 - 0x949e5fff libssl.0.9.7.dylib /usr/lib/libssl.0.9.7.dylib
    0x949f1000 - 0x94a0efff libresolv.9.dylib /usr/lib/libresolv.9.dylib
    0x94a15000 - 0x94a7afff com.apple.Bluetooth 1.9 (1.9f8) /System/Library/Frameworks/IOBluetooth.framework/Versions/A/IOBluetooth
    0x94d39000 - 0x94dccfff com.apple.WebKit 419.2 /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
    0x94e26000 - 0x94ea8fff com.apple.JavaScriptCore 418.5 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/JavaScriptCor e.framework/Versions/A/JavaScriptCore
    0x94ee1000 - 0x951c0fff com.apple.WebCore 418.22 /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
    0x9533f000 - 0x95362fff libxslt.1.dylib /usr/lib/libxslt.1.dylib
    0x9654b000 - 0x9654bfff com.apple.vecLib 3.3.1 (vecLib 3.3.1) /System/Library/Frameworks/vecLib.framework/Versions/A/vecLib
    0x96a32000 - 0x96a54fff com.apple.speech.LatentSemanticMappingFramework 2.5 /System/Library/PrivateFrameworks/LatentSemanticMapping.framework/Versions/A/La tentSemanticMapping
    0x96ac5000 - 0x96b9cfff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLProgramma bility.dylib
    0x96bb7000 - 0x96bb8fff com.apple.opengl 1.4.16 /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLSystem.dy lib
    0x96bba000 - 0x96bbffff com.apple.agl 2.5.9 (AGL-2.5.9) /System/Library/Frameworks/AGL.framework/Versions/A/AGL
    0x96d16000 - 0x96d16fff com.apple.MonitorPanelFramework 1.1.1 /System/Library/PrivateFrameworks/MonitorPanel.framework/Versions/A/MonitorPane l
    0x97478000 - 0x97561fff com.apple.viceroy.framework 278.3.10 /System/Library/PrivateFrameworks/VideoConference.framework/Versions/A/VideoCon ference
    0x97ca5000 - 0x97ca7fff com.apple.DisplayServicesFW 1.8.2 /System/Library/PrivateFrameworks/DisplayServices.framework/Versions/A/DisplayS ervices
    0x97ed4000 - 0x98d38fff com.apple.QuickTimeComponents.component 7.2 /System/Library/QuickTime/QuickTimeComponents.component/Contents/MacOS/QuickTim eComponents
    0x9990b000 - 0x99916fff com.apple.IMFramework 3.1.4 (429) /System/Library/Frameworks/InstantMessage.framework/Versions/A/InstantMessage
    0x99920000 - 0x99a8cfff com.apple.MessageFramework 2.1.1 (752.3) /System/Library/Frameworks/Message.framework/Versions/B/Message

  • Facing error when trying to read message from MQ through B2B

    Hi,
    I'm trying to read the messages from MQ through B2B.
    I have created a listening channel in B2B console.
    Also place the required jar files in the Domain_Dir/lib folder.For your reference the jar files are given below,
    a. com.ibm.mqjms.jar
    b. dhbcore.jar
    c. com.ibm.mq.jar
    d. com.ibm.mq.jmqi.jar
    e. mqcontext.jar
    g. com.ibm.mq.commonservices.jar
    h. com.ibm.mq.headers.jar
    i. com.ibm.mq.pcf.jar
    But i'm encounter the below error while reading the MQ. Pls let me know if i'm missing something.
    ####<Oct 9, 2014 4:00:03 PM IST> <Error> <oracle.soa.b2b.engine> <ULCAKESBTD1P> <b2b-server> <Workmanager: , Version: 0, Scheduled=false, Started=false, Wait time: 0 ms
    > <<anonymous>> <> <0000KZoSn1y5YbWzLwyGOA1KDaCI000002> <1412850603388> <BEA-000000> <oracle.tip.b2b.transport.TransportException: [JMS_CONN_INVALID] JMS connection error.
      at oracle.tip.b2b.transport.TransportException.create(TransportException.java:93)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.init(JMSMonitor.java:199)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.<init>(JMSMonitor.java:181)
      at oracle.tip.b2b.transport.basic.JMSReceiver.init(JMSReceiver.java:266)
      at oracle.tip.b2b.transport.b2b.B2BTransport.init(B2BTransport.java:577)
      at oracle.tip.b2b.engine.ThreadWorkExecutor.run(ThreadWorkExecutor.java:240)
      at oracle.integration.platform.blocks.executor.WorkManagerExecutor$1.run(WorkManagerExecutor.java:120)
      at weblogic.work.j2ee.J2EEWorkManager$WorkWithListener.run(J2EEWorkManager.java:184)
      at weblogic.work.DaemonWorkThread.run(DaemonWorkThread.java:30)
    Caused by: oracle.tip.b2b.transport.TransportException: [JMS_CONN_FAC_NOT_FOUND] JMS_CONN_FAC_NOT_FOUND
      at oracle.tip.b2b.transport.TransportException.create(TransportException.java:78)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getConnectionFactory(JMSConnectionFactoryFactory.java:208)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getQueueConnectionFactory(JMSConnectionFactoryFactory.java:85)
      at oracle.tip.b2b.transport.basic.jms.JMSConnection.<init>(JMSConnection.java:136)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.init(JMSMonitor.java:195)
      ... 7 more
    Caused by: java.lang.ClassNotFoundException: QMUL.PDT
      at java.net.URLClassLoader$1.run(URLClassLoader.java:366)
      at java.net.URLClassLoader$1.run(URLClassLoader.java:355)
      at java.security.AccessController.doPrivileged(Native Method)
      at java.net.URLClassLoader.findClass(URLClassLoader.java:354)
      at java.lang.ClassLoader.loadClass(ClassLoader.java:424)
      at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:308)
      at java.lang.ClassLoader.loadClass(ClassLoader.java:357)
      at java.lang.Class.forName0(Native Method)
      at java.lang.Class.forName(Class.java:190)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getConnectionFactory(JMSConnectionFactoryFactory.java:162)
      ... 10 more
    oracle.tip.b2b.transport.TransportException: [JMS_CONN_INVALID] JMS connection error.
      at oracle.tip.b2b.transport.TransportException.create(TransportException.java:93)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.init(JMSMonitor.java:199)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.<init>(JMSMonitor.java:181)
      at oracle.tip.b2b.transport.basic.JMSReceiver.init(JMSReceiver.java:266)
      at oracle.tip.b2b.transport.b2b.B2BTransport.init(B2BTransport.java:577)
      at oracle.tip.b2b.engine.ThreadWorkExecutor.run(ThreadWorkExecutor.java:240)
      at oracle.integration.platform.blocks.executor.WorkManagerExecutor$1.run(WorkManagerExecutor.java:120)
      at weblogic.work.j2ee.J2EEWorkManager$WorkWithListener.run(J2EEWorkManager.java:184)
      at weblogic.work.DaemonWorkThread.run(DaemonWorkThread.java:30)
    Caused By: oracle.tip.b2b.transport.TransportException: [JMS_CONN_FAC_NOT_FOUND] JMS_CONN_FAC_NOT_FOUND
      at oracle.tip.b2b.transport.TransportException.create(TransportException.java:78)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getConnectionFactory(JMSConnectionFactoryFactory.java:208)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getQueueConnectionFactory(JMSConnectionFactoryFactory.java:85)
      at oracle.tip.b2b.transport.basic.jms.JMSConnection.<init>(JMSConnection.java:136)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.init(JMSMonitor.java:195)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.<init>(JMSMonitor.java:181)
      at oracle.tip.b2b.transport.basic.JMSReceiver.init(JMSReceiver.java:266)
      at oracle.tip.b2b.transport.b2b.B2BTransport.init(B2BTransport.java:577)
      at oracle.tip.b2b.engine.ThreadWorkExecutor.run(ThreadWorkExecutor.java:240)
      at oracle.integration.platform.blocks.executor.WorkManagerExecutor$1.run(WorkManagerExecutor.java:120)
      at weblogic.work.j2ee.J2EEWorkManager$WorkWithListener.run(J2EEWorkManager.java:184)
      at weblogic.work.DaemonWorkThread.run(DaemonWorkThread.java:30)
    Caused By: java.lang.ClassNotFoundException: QMUL.PDT
      at java.net.URLClassLoader$1.run(URLClassLoader.java:366)
      at java.net.URLClassLoader$1.run(URLClassLoader.java:355)
      at java.security.AccessController.doPrivileged(Native Method)
      at java.net.URLClassLoader.findClass(URLClassLoader.java:354)
      at java.lang.ClassLoader.loadClass(ClassLoader.java:424)
      at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:308)
      at java.lang.ClassLoader.loadClass(ClassLoader.java:357)
      at java.lang.Class.forName0(Native Method)
      at java.lang.Class.forName(Class.java:190)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getConnectionFactory(JMSConnectionFactoryFactory.java:162)
      at oracle.tip.b2b.transport.basic.jms.JMSConnectionFactoryFactory.getQueueConnectionFactory(JMSConnectionFactoryFactory.java:85)
      at oracle.tip.b2b.transport.basic.jms.JMSConnection.<init>(JMSConnection.java:136)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.init(JMSMonitor.java:195)
      at oracle.tip.b2b.transport.basic.jms.JMSMonitor.<init>(JMSMonitor.java:181)
      at oracle.tip.b2b.transport.basic.JMSReceiver.init(JMSReceiver.java:266)
      at oracle.tip.b2b.transport.b2b.B2BTransport.init(B2BTransport.java:577)
      at oracle.tip.b2b.engine.ThreadWorkExecutor.run(ThreadWorkExecutor.java:240)
      at oracle.integration.platform.blocks.executor.WorkManagerExecutor$1.run(WorkManagerExecutor.java:120)
      at weblogic.work.j2ee.J2EEWorkManager$WorkWithListener.run(J2EEWorkManager.java:184)
      at weblogic.work.DaemonWorkThread.run(DaemonWorkThread.java:30)
    >
    ####<Oct 9, 2014 4:00:20 PM IST> <Warning> <oracle.adfinternal.view.faces.partition.FeatureUtils> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '0' for queue: 'weblogic.kernel.Default (self-tuning)'> <<anonymous>> <> <0000KZoSn1y5YbWzLwyGOA1KDaCI000002> <1412850620868> <ADF_FACES-30130> <Ignoring feature-dependency on feature "AdfDvtCommon".  No such feature exists.>
    ####<Oct 9, 2014 4:00:21 PM IST> <Warning> <org.apache.myfaces.trinidadinternal.config.GlobalConfiguratorImpl> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '0' for queue: 'weblogic.kernel.Default (self-tuning)'> <<anonymous>> <> <0000KZoSn1y5YbWzLwyGOA1KDaCI000002> <1412850621197> <BEA-000000> <Configurator services already initialized.>
    ####<Oct 9, 2014 4:00:30 PM IST> <Notice> <Log Management> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <> <1412850630361> <BEA-170027> <The Server has established connection with the Domain level Diagnostic Service successfully.>
    ####<Oct 9, 2014 4:00:30 PM IST> <Notice> <WebLogicServer> <ULCAKESBTD1P> <b2b-server> <main> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac6> <1412850630614> <BEA-000365> <Server state changed to ADMIN>
    ####<Oct 9, 2014 4:00:30 PM IST> <Notice> <WebLogicServer> <ULCAKESBTD1P> <b2b-server> <main> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac6> <1412850630698> <BEA-000365> <Server state changed to RESUMING>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <Server> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631051> <BEA-002613> <Channel "Default[2]" is now listening on fe80:0:0:0:214:4fff:feeb:478d:7003 for protocols iiop, t3, ldap, snmp, http.>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <Server> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631051> <BEA-002613> <Channel "Default[1]" is now listening on 10.236.77.12:7003 for protocols iiop, t3, ldap, snmp, http.>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <Server> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631052> <BEA-002613> <Channel "Default[3]" is now listening on fe80:0:0:0:214:4fff:feeb:478c:7003 for protocols iiop, t3, ldap, snmp, http.>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <Server> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631053> <BEA-002613> <Channel "Default[4]" is now listening on 127.0.0.1:7003 for protocols iiop, t3, ldap, snmp, http.>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <Server> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631053> <BEA-002613> <Channel "Default" is now listening on 192.168.107.97:7003 for protocols iiop, t3, ldap, snmp, http.>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <Server> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631054> <BEA-002613> <Channel "Default[5]" is now listening on 0:0:0:0:0:0:0:1:7003 for protocols iiop, t3, ldap, snmp, http.>
    ####<Oct 9, 2014 4:00:31 PM IST> <Notice> <WebLogicServer> <ULCAKESBTD1P> <b2b-server> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac8> <1412850631055> <BEA-000332> <Started WebLogic Managed Server "b2b-server" for domain "b2b-domain" running in Development Mode>
    ####<Oct 9, 2014 4:00:32 PM IST> <Notice> <WebLogicServer> <ULCAKESBTD1P> <b2b-server> <main> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac6> <1412850632557> <BEA-000365> <Server state changed to RUNNING>
    ####<Oct 9, 2014 4:00:32 PM IST> <Notice> <WebLogicServer> <ULCAKESBTD1P> <b2b-server> <main> <<WLS Kernel>> <> <308025e28c55d051:50252314:148f4730231:-8000-0000000000007ac6> <1412850632559> <BEA-000360> <Server started in RUNNING mode>
    ####<Oct 9, 2014 4:00:38 PM IST> <Warning> <oracle.soa.services.notification> <ULCAKESBTD1P> <b2b-server> <TimerFactory> <<anonymous>> <> <0000KZoSn1y5YbWzLwyGOA1KDaCI000002> <1412850638612> <BEA-000000> <<.> Notification via email, voice, SMS or IM will not be sent. If you would like to enable them, please configure corresponding sdpmessaging driver. Then modify the accounts and set NotificationMode attribute to either NONE, EMAIL or ALL in workflow-notification-config.xml>
    ####<Oct 9, 2014 4:02:41 PM IST> <Warning> <Socket> <ULCAKESBTD1P> <AdminServer> <[ACTIVE] ExecuteThread: '1' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <a2e657fa9e6b5d11:789eb8cc:148f4403946:-8000-00000000000029c4> <1412850761335> <BEA-000449> <Closing socket as no data read from it on 192.168.96.66:29,963 during the configured idle timeout of 5 secs>
    ####<Oct 9, 2014 4:02:51 PM IST> <Warning> <Socket> <ULCAKESBTD1P> <AdminServer> <[ACTIVE] ExecuteThread: '0' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <a2e657fa9e6b5d11:789eb8cc:148f4403946:-8000-00000000000029d2> <1412850771337> <BEA-000449> <Closing socket as no data read from it on 192.168.96.66:29,970 during the configured idle timeout of 5 secs>
    ####<Oct 9, 2014 4:03:16 PM IST> <Warning> <Socket> <ULCAKESBTD1P> <AdminServer> <[ACTIVE] ExecuteThread: '0' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <a2e657fa9e6b5d11:789eb8cc:148f4403946:-8000-00000000000029f4> <1412850796335> <BEA-000449> <Closing socket as no data read from it on 192.168.96.66:29,984 during the configured idle timeout of 5 secs>
    Thanks,
    Ravindra.

    Hi Ravindra,
    Which mode of connectivity are you trying (credential based / .bindings based)
    MQ connectivity  support is provided via JMS offering of Oracle B2B. This blog post will provide you the steps for the same - https://blogs.oracle.com/oracleb2bgurus/entry/b2b_communication_using_ibm_mq
    Please ensure to provide the proper values for connection factory and other details in JMS configuration in B2B
    HTH

  • I bought a new Macbook Air, and got an error when trying to register it with my Apple ID

    So, I bought a new Macbook Air and tried to register it with my Apple ID, however I get an error about the product being already registered.
    I haven't registered it yet. How can I fix this?

    A new Mac comes with 90 days of free tech support from AppleCare.
    AppleCare: 1-800-275-2273
    Call AppleCare.
    Best.

  • License error when trying to reading purchased content on new computer

    I have changed computers from the original purchase and license of a number of commercial text books. I have copied the "old" licensed content to a new computer but receive an error when I try to open the "old" content on the new computer. The error message indicates that I'm supposed to contact the original vendor and download the material again. Isn't there another/better way?

    In addition to the manual method you are trying, there are a number of third party utilities that you can use to retrieve the music files and playlists from your iPod. You'll find that they have varying degrees of functionality and some will transfer movies, videos, photos, podcasts and games as well. Have a look at the web pages and documentation, this is just a small selection of what's available (check for the one's that have been upgraded to be Vista compatible). You can also read reviews of some of them here: Wired News - Rescue Your Stranded Tunes
    TuneJack Windows Only
    iPod2PC Windows Only
    iGadget Windows Only
    iDump Windows Only
    iRepo Windows Only
    iPodRip Mac & Windows
    YamiPod Mac and Windows Versions
    Music Rescue Mac & Windows
    iPodCopy Mac and Windows Versions

  • VISA error when trying to read hex data over serial port

    Hi - Sorry about this. I am posting this question as a new thread as I am still having serious problems and may be able to shed more light now.
    Basically I am trying to read data formatted as a string of comma separated hexadecimal words over the serial link.
    The data is formatted thus:  <first word>,  <second word>, <third word> etc.... <last word, <CR>  where <CR> is a carriage return.
    Where each word represents a number, e.g.  AB01 is 43777 in decimal.
    Now the VI is stalling at VISA close (I attach VI again to this message), the string data is read across by the VI but it will not then close the link unless I remove to USB cable from the comms port.  When I run the device in hyperterminal I do not have this problem.  The data sting comes back fine (when I send out the command message), the carriage return is recognized as the end of the data message and the comma channel is cleared and ready to accept the next command message.
    LabVIEW is then not happy.  I don't know why but it could be that the amount of data the demo device I have is sending back is more than the NI-VISA can cope with.  Am I correct in thinking 13kbytes is the maximum.  If this were the case This would account for my problem.  It seems that the number of bytes read by the VI is consistently 12999.
    Hope someone can help or this information will at least be useful to somebody so they don't have this problem.
    Many Thanks
    Ashley.

    Yes there is. If your data contains data from 0x00 to 0xFF then you have to disable the 'termination char' in the VISA configure function. The boolean input at the top. Set it to false. Otherwise your transmission will stop at 0x0A by default. You can also tell what the termination character should be, if you want.
    btw. Still no VI attached. 
    Sorry replied to the wrong message. No I did not where are both replying at the same time
    Message Edited by K C on 12-08-2005 12:44 PM
    Message Edited by K C on 12-08-2005 12:46 PM

  • Error when trying to install iTunes with Windows 7

    I am using windows 7 on my laptop and when trying to install iTunes i recieve the following error message
    Apple Application Support was not found.
    Apple Application Support is required to run iTunesHelper.Please uninstall iTunes, then install iTunes again.
    Error 2
    After uninstalling and re-installing iTunes, the error still occured.
    Anyone any ideas how to solve this?

    After searching through this forrow i found this
    http://support.microsoft.com/kb/946414
    After running the Fix-It, i had no problem installing iTunes

  • GRUB2 giving errors when trying to grub-mkconfig with a LVM root.

    Hello, I am trying to install Arch on an EXT4 formatted LVM drive (MBR, not GPT).
    I followed the LVM wiki and set it up correctly (note that /boot is setup to be on a non LVM EXT4 partition), I did add the lvm2 hook to mkintocpio and I am pretty sure I was chrooted at the right stages of the install.
    The problem is that when I run grub-mkconfig -o /boot/grub/grub.cfg it tosses out "/run/lvm/lvmetad.socket: connect failed: No such file or directory" as an error (fills the screen with them), a post on the Arch Linux BR forum had the person change use_lvmetad = 1 to 0 in /etc/lvm/lvm.conf,  install GRUB then change it back (at least that is what google translate said).
    When I tried it GRUB2 said that it can not find /dev/mapper/(name of volume) when I try to boot.
    I have also tried syslinux and it thinks for some stupid reason that it should be loading /dev/sda3 (bar the fact their is not an sda3 on the drive!), when I changed it in the syslinux config file to /dev/mapper/(name of volume) it also could not find and load it.
    Edit: After trying a few times I did manage to get it to boot via GRUB (without changing the use_lvmetad setting), but I still got the error about it.
    Last edited by TheD (2013-09-12 08:31:41)

    cfr wrote:
    So what error are you now getting? I'm not clear what the problem is at this point.
    By the way, don't type the stuff out. Try wgetpaste if you need to post stuff without a GUI. (I am guessing that you are not really using "quite" as a kernel parameter but if you are, I don't think the kernel will like it!)
    You should probably add the shutdown hook to mkinitcpio.conf to avoid problems with hung/unclean shutdowns since you are using LVM.
    If you are still having issues, post the contents of /proc/cmdline.
    When I posted this topic I thought that the error that
    grub-mkconfig -o /boot/grub/grub.cfg
    was giving me:
    /run/lvm/lvmetad.socket: connect failed: No such file or directory
    was the reason I could not boot.
    I looked around and found something like the error that
    grub-mkconfig -o /boot/grub/grub.cfg
    was giving me and tried what fixed for this other person, that fixed involved going into
    /etc/lvm/lvm.conf
    and changing
    use_lvmetad = 1
    to
    use_lvmetad = 0
    , running
    grub-mkconfig -o /boot/grub/grub.cfg
    and then switching it back to 1.
    That did not help.
    After I posted I went back for one last crack at it (by restoring a VM snapshot) and that time running mkinitcpio again (even tho in that snapshot I had already ran it) then
    grub-mkconfig -o /boot/grub/grub.cfg
    it still gave the
    /run/lvm/lvmetad.socket: connect failed: No such file or directory
    error but I could boot.
    So something strange must of went wrong with the mkinitcpio script and it must not have had anything to do with the error
    grub-mkconfig -o /boot/grub/grub.cfg
    gives.
    So the only problem now is trying to figure out why GRUB gave that error and if it could have any effect or if it is safe to ignore.
    Sorry if I was not clear about this in my first post edit.
    Last edited by TheD (2013-09-15 03:35:13)

  • Error when trying to purchase songs with iTunes account

    Hi, is anyone able to help with this.
    I am tryig to purchase some songs with my iTunes account (it is inn credit by about £6) but an error keeps coming up every time i try to purchase a song or if i try to view my account details. It is as if i am putting the password in wrong but i know that i am not. I have even reset the password now 3 times and it always seems as if it has gone through successfully but then when i try to purchase a song or view my account details again, the same error is coming up.
    The error message is as follows:
    *'We could not commplete your iTunes Store request. An unknown error occurred (-9808) There was an error in the iTunes Store. Please try again later'*
    This message has been coming up all day though. Does anybody have any idea if i am doing anything wrong or whether there is a technical fault with iTunes? I have downloaded the updated version as well so it can't be because i have the older version.
    Thanks,

    Welcome to AD!
    The top 4 fixes to itunes error 9808 seem to be
    1) Go to Start > Control Panel > Internet Options > Advanced, make sure that SSL 3.0 is checked and TLS 1.0 is checked. Also under Security make sure that the “Check for server certificate revocation (requires restart)” is unchecked. Then click ok and fire up iTunes.
    2) Time or time zone not correct on your PC.
    3) The culprit was Norton. Ggo to Norton’s Personal Firewall and add the program “iTunes Helper.exe” and set the option to “Allowed” (”iTunes.exe should already be in the Allowed category.)
    4) Delete or cut the preferences.xml file which contains your iTunes preferences.
    Close iTunes if you have it open right now. Then go to C:/Documents and Settings/username/Local Settings/Application Data/Apple Computer/iTunes. Then go to C:/Documents and Settings/username/Application Data/Apple Computer/iTunes and delete or move the preferences.xml file. For Mac users, there is only one file you must delete or move a to a new location and is located at User > Library > Preferences > com.apple.itunes.plist. Restart iTunes and it will recreate those two (or one) files with the default settings. You'll need to set your preferences back to what they were and then connect to the iTunes store.

  • Error when trying to use SUM with COUNT

    I have the following query which works fine. However, I need to add another column that is the SUM of the firs column ("OPEN"). I have also included that query but I cannot get it to work. Any help would be appreciated.
    SELECT
    TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm') as THISDATE,
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC))
    ) as OPEN,
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Completed', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rejected', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rescinded', A.STATE_DESC))
    ) as TOTAL
    FROM RAW_APP_DATA R, APP_STATE A
    WHERE R.RAD_STATUS = A.STATE_ID
    AND (R.RAD_SUBMIT_DATE BETWEEN '01-AUG-02' AND '31-JAN-04')
    GROUP BY TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm')
    ORDER BY TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm')
    (RESULTS)
    THISDAT OPEN TOTAL
    2002-08 1 37
    2002-09 0 40
    2002-10 0 33
    2002-11 1 25
    2002-12 2 22
    2003-01 3 25
    2003-02 4 101
    2003-03 5 99
    2003-04 5 85
    2003-05 3 69
    2003-06 17 90
    2003-07 6 57
    2003-08 26 89
    2003-09 43 117
    2003-10 59 110
    2003-11 47 67
    2003-12 75 80
    2004-01 9 9
    18 rows selected.
    SECOND QUERY (DOES NOT WORK)
    SELECT
    TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm') as THISDATE,
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC))
    ) as OPEN,
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Completed', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rejected', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rescinded', A.STATE_DESC))
    ) as TOTAL,
    SUM(
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC))
    )) as "OPEN TOTAL"
    FROM RAW_APP_DATA R, APP_STATE A
    WHERE R.RAD_STATUS = A.STATE_ID
    AND (R.RAD_SUBMIT_DATE BETWEEN '01-AUG-02' AND '31-JAN-04')
    GROUP BY TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm')
    ORDER BY TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm')
    DESIRED RESULT SET
    THISDAT OPEN TOTAL TOTAL OPEN
    2002-08 1 37 1
    2002-09 0 40 1
    2002-10 0 33 1
    2002-11 1 25 2
    2002-12 2 22 4
    2003-01 3 25 7
    2003-02 4 101 11
    2003-03 5 99 16
    2003-04 5 85 21

    You are right those are group functions not aggregate. However, if I try to group by with the group functions I get an error (see code).
    SELECT
    TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm') as THISDATE,
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC))
    ) as OPEN,
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Completed', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rejected', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rescinded', A.STATE_DESC))
    ) as TOTAL,
    SUM(
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC))
    )) as "OPEN TOTAL"
    FROM RAW_APP_DATA R, APP_STATE A
    WHERE R.RAD_STATUS = A.STATE_ID
    AND (R.RAD_SUBMIT_DATE BETWEEN '01-AUG-02' AND '31-JAN-04')
    GROUP BY
    TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm'),
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC))
    COUNT(decode(A.STATE_DESC, 'Approved', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Concept', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'New', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Pending', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Completed', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rejected', A.STATE_DESC)) +
    COUNT(decode(A.STATE_DESC, 'Rescinded', A.STATE_DESC))
    ORDER BY TO_CHAR(TRUNC(R.RAD_SUBMIT_DATE, 'MM'), 'yyyy-mm')
    ORA-00934: group function is not allowed here
    Do I group by the columns individually?

  • Getting: Unexpected Error when trying to upload files with my post!

    Hello,
    i tried today to post a reply to someone`s message t the forums but when i tried to attach 2 .php files i get unexpected error message and prevented me from posting the reply.
    but when i delete or reloaded the page, i shows me an error message again, but the reply was posted without letting me know!
    hope you can find a quick fix for that!
    Best Regards
    Waleed Barakat
    [signature deleted by host]

    waleed,
    i tried today to post a reply to someone`s message t the forums but when i tried to attach 2 .php files
    Did you really mean .php files?  I am not sure if you can actually post a .php file.  I suspect you will have to either post a link to where the .php files are located or simply post the contents of the .php file into the reply.  OR zip the file and attach the .zip file.
    I hope that helps.
    Hopper

Maybe you are looking for

  • Office Web Apps 2013 - Excel, fine, Word & Powerpoint, unable to view.

    Hi All, I am having an infuriating issue where by the following occurs when opening documents via OWA: Excel - Preview, no problem, opening, no problem, editing, no problem (even when accessing oData connections for PWA). Word - Preview, errors, open

  • Why are my images no longer in their folders?

    My photos are all within lightroom, all 24,000+ images.  I had them organized them in folders by year, month and date.  For some reason, my folders for April 2014 were being downloaded in another place in the library.  I was having to move them down

  • MacBook will not boot after iTunes 10.5.2, iPhoto, and Safari update

    My MacBook (mid 2007) will no longer boot after the iTunes 10.5.2, iPhoto and Safari update. It will load Lion but will no open any applications. After running Repair Disk Permissions and Repair Disk in the Recovery HD, Lion will ask for my password,

  • Cant boot winxp installed to hdc3.

    I cant boot WinXP. I have just installed it to hdc3 (equivalent to (hd2.2) for grub), and this is what I put in menu.lst: (1) WindowsXP title WindowsXP map (hd0) (hd2) map (hd2) (hd0) rootnoverify (hd0,2) makeactive chainloader +1 but this only resul

  • Easiest solution for adding Fibre Channel Tape Backup to Xserve RAID setup

    I'm interested in getting a Fibre Channel LTO-3 tape library such as the Exabyte 221L for my Xserve RAID/Xserve G5 setup. I realize there are SCSI LTO-3 solutions that are less expensive than FC, but I'd prefer not to have to add a SCSI card to my Xs