UDP DatagramPacket DatagramSocket send() receive() drop or buffer?

I am working on an application that communicates with a piece of software (image processing) that only provides UDP. Hence I am using Datagrams. Here's my simple question. For
DatagramSocket.send(DatagramPacket),
what happens to the information if the application on the other end of this message is not calling
DatagramSocket.receive(DatagramPacket)?
I ask because I do not want to use every packet sent by the image processing software. For example, I trigger the processing, causing it to send a DatagramPacket, but I am not interested in that information so I do not call receive(). Then, I trigger it once more, and this time I want the info in the sent DatagramPacket, so I do call receive(). I am wondering if there is a buffer or something holding the first DatagramPacket, because I want to be sure that receive() gets the second set of information and not the first. Hopefully that's a clear enough description. Thanks for reading, please let me know any info you have on this.

For
DatagramSocket.send(DatagramPacket),
what happens to the information if the application on the other end of this message is not calling
DatagramSocket.receive(DatagramPacket)?If the application on the other end has an open DatagramSocket bound to that port, and there is room in the socket's receive buffer, the datagram will be buffered (assuming it arrives). Otherwise it will be silently dropped.
I want to be sure that receive() gets the second set of information and not the first.You will get both if the conditions above hold. If they don't, you will get either none or the first or the second. It doesn't matter in the slightest whether you are or aren't calling receive() at the moment the datagram arrives. To selectively ignore datagrams I guess you could try just opening the socket when the datagram of interest is due, whatever 'due' means, and assuming it can even be defined, but it's obviously very risky.

Similar Messages

  • UDP Send receive

    I am trying to make an application to send and receive on UDP port 1234. The client is sending from a ramdom port aand expects the response from port 1234 of the server to the port the client sent from. So far it is working for both sending and receiving but when sending back it is using a random port to send from instead of from port 1234. Any ideas?
    import java.net.DatagramPacket;
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.net.*;
    import java.io.*;
    public class Server{
        Thread thread;
        DatagramSocket socket;
        public static void main(String[] args) {
            Server u = new Server();
        public Server(){
            new StartThread();
        public class StartThread implements Runnable{
            StartThread(){
                thread = new Thread(this);
                thread.start();
            public void StopThread() {
                thread.interrupted();
                socket.close();
            public void run(){
                try{
                    // receive buffer
                    byte[] buffer = new byte[12];
                    // send buffer
                    byte[] sbuffer = new byte[20];
                    // listen to this port
                    int port = 1234;
                    try{
                        socket = new DatagramSocket(port);
                        while(true){
                            try{
                                for (int i=0; i<11; i++ ) {
                                    buffer=0;
    DatagramPacket packet = new DatagramPacket(buffer, buffer.length );
    socket.receive(packet);
    InetAddress client = packet.getAddress();
    byte[] iByte = null;
    iByte=client.getAddress();
    int client_port = packet.getPort();
    String r = String.format("%02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x", buffer[0], buffer[1],buffer[2], buffer[3], buffer[4], buffer[5], buffer[6], buffer[7], buffer[8], buffer[9], buffer[10], buffer[11]);
    String from = new String();
    String test = new String(buffer);
    from = "From "+client +" " +client_port;
    test = test.substring(0,4);
    System.out.println(from);
    // display to screen data received in hex
    System.out.println(r);
    // check for STOP to exit application
    if (test .equals("STOP")) {
    System.out.println("UDP Listener Stopped");
    StopThread();
    //set up send back what was received except first 4 bytes
    int temp = 0;
    temp=0x000000FF & ((int)buffer[4]);
    sbuffer[0] = (byte)temp;
    temp=0x000000FF & ((int)buffer[5]);
    sbuffer[1] = (byte)temp;
    temp=0x000000FF & ((int)buffer[6]);
    sbuffer[2] = (byte)temp;
    temp=0x000000FF & ((int)buffer[7]);
    sbuffer[3] = (byte)temp;
    temp=0x000000FF & ((int)buffer[8]);
    sbuffer[4] = (byte)temp;
    temp=0x000000FF & ((int)buffer[9]);
    sbuffer[5] = (byte)temp;
    temp=0x000000FF & ((int)buffer[10]);
    sbuffer[6] = (byte)temp;
    temp=0x000000FF & ((int)buffer[11]);
    sbuffer[7] = (byte)temp;
    //sent data has from ip
    sbuffer[8] = iByte[0];
    sbuffer[9] = iByte[1];
    sbuffer[10] = iByte[2];
    sbuffer[11] = iByte[3];
    //sent data has from port
    temp=0x000000FF & (client_port);
    sbuffer[12] = (byte)temp;
    temp=0x0000FF00 & (client_port);
    sbuffer[13] = (byte)temp;
    //pad some junk
    temp=0x000000FF & ((int)0);
    sbuffer[14] = (byte)temp;
    temp=0x000000FF & ((int)66);
    sbuffer[15] = (byte)temp;
    //# of users
    temp=0x000000FF & ((int)0);
    sbuffer[16] = (byte)temp;
    temp=0x000000FF & ((int)0);
    sbuffer[17] = (byte)temp;
    temp=0x000000FF & ((int)0);
    sbuffer[18] = (byte)temp;
    temp=0x000000FF & ((int)20);
    sbuffer[19] = (byte)temp;
    DatagramPacket sndPkg = new DatagramPacket(sbuffer, 20, client, client_port);
    DatagramSocket snd = new DatagramSocket();
    // send the data back
    // this is where i get confused, how to send back from 1234 to client_port
    snd.send(sndPkg);
    String to = new String();
    to = "To "+client+" "+client_port;
    String s = String.format("%02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x %02x", sbuffer[0], sbuffer[1],sbuffer[2], sbuffer[3], sbuffer[4], sbuffer[5], sbuffer[6], sbuffer[7], sbuffer[8], sbuffer[9], sbuffer[10], sbuffer[11], sbuffer[12], sbuffer[13], sbuffer[14], sbuffer[15], sbuffer[16], sbuffer[17], sbuffer[18], sbuffer[19]);
    System.out.println(to);
    System.out.println(s);
    catch(UnknownHostException ue){}
    catch(java.net.BindException b){}
    catch (IOException e){
    System.err.println(e);

    I could be wrong, but when you assign this value you can get one of two results from DatagramPacket.getPort().
    API says: +the port number on the remote host to which this datagram is being sent or from which the datagram was received.+
    int client_port = packet.getPort();If you've already made sure that value is correct, then I'm stumped.

  • Mail-Adapter: Examine Sender & Receiver E-Mail adress?

    Hi everybody,
    we send successfully a mail to the Mail adapter. Because of problems with our excahnge server we would like to find out the sender & receiver E-Mail adresses.
    I cant see them neither in the communicaiton channel nor in the payload of the RWB message monitoring.
    Any ideas?
    Regards Mario

    Hi, I found it.
    I did not check the drop-down to payload on tab message content.
    Regards Mario

  • Problems with send receive Email ( Adobe Interactive)

    I have heard the E-Learning(Send, Receive, and Process Interactive Forms via Email in SAP NetWeaver Application Server ABAP (RIG session 4A)
    ) about this topic on this webpage but i still have to many problems. Can somebody give me a source code, that i know how this works. Or is there a source code anywhere in the sap?
    I hope anybody can help me, Thanks!

    Thanks. I have written Programm, but it does not work as i want it to do. I will send an Email with attached Adobe Interactive Firm to [email protected]. I tried it with "*lo_recipient = cl_sapuser_bcs=>create( sy-uname )" at the marked(bold, fat) position. It worked but the Email was send to my SAP-Account, but i want to send to [email protected], so I tried this (see at code in bold, fat):
    lo_rec TYPE adr6-smtp_addr VALUE '[email protected]'.   " Empfänger Receiver
    lo_recipient = cl_cam_address_bcs=>create_internet_address( lo_rec ).
    But it doens`t send the email.
    Can anybody help me please???
    Kevin
    Here my Code:
          Report FP_EXAMPLE_01
          Printing of documents using PDF based forms
    REPORT z_example_02.
    Data declaration
    DATA: carr_id TYPE sbook-carrid,
          customer          TYPE scustom,
          bookings          TYPE ty_bookings,
          connections       TYPE ty_connections,
          fm_name           TYPE rs38l_fnam,
          fp_docparams      TYPE sfpdocparams,
          fp_outputparams   TYPE sfpoutputparams,
          error_string      TYPE string,
          l_booking         TYPE sbook,
          t_sums            TYPE TABLE OF sbook,
          l_sums            LIKE LINE OF t_sums,
          fp_formoutput     TYPE fpformoutput.
    PARAMETER:      p_custid TYPE scustom-id DEFAULT 38.
    SELECT-OPTIONS: s_carrid FOR carr_id     DEFAULT 'AA' TO 'ZZ'.
    PARAMETER:      p_form   TYPE tdsfname   DEFAULT 'FP_EXAMPLE_01'.
    PARAMETER:      language    TYPE sfpdocparams-langu   DEFAULT 'E'.
    PARAMETER:      country  TYPE sfpdocparams-country DEFAULT 'US'.
    Get data from the following tables: scustom(Flight customer)
                                        sbook  (Single flight reservation)
                                        spfli  (Flight plan)
    SELECT SINGLE * FROM scustom INTO customer WHERE id = p_custid.
    CHECK sy-subrc = 0.
    SELECT * FROM sbook INTO TABLE bookings
             WHERE customid = p_custid
             AND   carrid   IN s_carrid
             ORDER BY PRIMARY KEY.
    SELECT * FROM spfli INTO TABLE connections
             FOR ALL ENTRIES IN bookings
             WHERE carrid = bookings-carrid
             AND   connid = bookings-connid
             ORDER BY PRIMARY KEY.
    Print data:
    First get name of the generated function module
    CALL FUNCTION 'FP_FUNCTION_MODULE_NAME'
      EXPORTING
        i_name     = p_form
      IMPORTING
        e_funcname = fm_name.
    IF sy-subrc <> 0.
      MESSAGE e001(fp_example).
    ENDIF.
    Set output parameters and open spool job
    fp_outputparams-nodialog = 'X'.    " suppress printer dialog popup
    fp_outputparams-getpdf  = 'X'.    " launch print preview
    CALL FUNCTION 'FP_JOB_OPEN'
      CHANGING
        ie_outputparams = fp_outputparams
      EXCEPTIONS
        cancel          = 1
        usage_error     = 2
        system_error    = 3
        internal_error  = 4
        OTHERS          = 5.
    Set form language and country (->form locale)
    fp_docparams-langu   = language.
    fp_docparams-country = country.
    *fp_docparams-fillable = 'X'.
    *fp_docparams-langu   = 'E'.  "wird jetzt automatisch gesetzt, bzw. kann dynamisch verändert werden
    *fp_docparams-country = 'GB'. "wird jetzt automatisch gesetzt, bzw. kann dynamisch verändert werden
    currency key dependant summing
    LOOP AT bookings INTO l_booking.
      l_sums-forcuram  = l_booking-forcuram.
      l_sums-forcurkey = l_booking-forcurkey.
      COLLECT l_sums INTO t_sums.
    ENDLOOP.
    Now call the generated function module
    CALL FUNCTION fm_name
      EXPORTING
        /1bcdwb/docparams  = fp_docparams
        customer           = customer
        bookings           = bookings
        connections        = connections
        t_sums             = t_sums
      IMPORTING
        /1bcdwb/formoutput = fp_formoutput
      EXCEPTIONS
        usage_error        = 1
        system_error       = 2
        internal_error     = 3
        OTHERS             = 4.
    IF sy-subrc <> 0.
      CALL FUNCTION 'FP_GET_LAST_ADS_ERRSTR'
        IMPORTING
          e_adserrstr = error_string.
      IF NOT error_string IS INITIAL.
        we received a detailed error description
        WRITE:/ error_string.
        EXIT.
      ELSE.
        MESSAGE ID sy-msgid TYPE sy-msgty NUMBER sy-msgno
                WITH sy-msgv1 sy-msgv2 sy-msgv3 sy-msgv4.
      ENDIF.
    ENDIF.
    Close spool job
    CALL FUNCTION 'FP_JOB_CLOSE'
      EXCEPTIONS
        usage_error    = 1
        system_error   = 2
        internal_error = 3
        OTHERS         = 4.
    IF sy-subrc <> 0.
      MESSAGE ID sy-msgid TYPE sy-msgty NUMBER sy-msgno
              WITH sy-msgv1 sy-msgv2 sy-msgv3 sy-msgv4.
    ENDIF.
    *********************Send the form*******************
    *********************to the Customer*****************
    *********************via Email***********************
    *IF i_down = abap_true.
    DATA: filename TYPE string,
            path TYPE string,
            fullpath TYPE string,
            default_extension TYPE string VALUE 'PDF'.
    Data:
    lt_att_content_hex TYPE solix_tab.
    *DATA: data_tab TYPE TABLE OF x255.
    CALL FUNCTION 'SCMS_XSTRING_TO_BINARY'
      EXPORTING
        buffer     = fp_formoutput-pdf
      TABLES
        binary_tab = lt_att_content_hex.
    CLASS cl_bcs DEFINITION LOAD.
    DATA:
    lo_send_request TYPE REF TO cl_bcs VALUE IS INITIAL.
    lo_send_request = cl_bcs=>create_persistent( ).
    DATA:
    lt_message_body TYPE bcsy_text VALUE IS INITIAL.
    DATA: lo_document TYPE REF TO cl_document_bcs VALUE IS INITIAL.
    APPEND 'Dear Vendor,' TO lt_message_body.
    APPEND ' ' TO lt_message_body.
    APPEND 'Please fill the attached form and send it back to us.'
    TO lt_message_body.
    APPEND ' ' TO lt_message_body.
    APPEND 'Thank You,' TO lt_message_body.
    lo_document = cl_document_bcs=>create_document(
    i_type = 'RAW'
    i_text = lt_message_body
    i_subject = 'Vendor Payment Form' ).
    DATA: lx_document_bcs TYPE REF TO cx_document_bcs VALUE IS INITIAL.
    TRY.
        lo_document->add_attachment(
        EXPORTING
        i_attachment_type = 'PDF'
        i_attachment_subject = 'Vendor Payment Form'
        i_att_content_hex = lt_att_content_hex ).
    CATCH cx_document_bcs INTO lx_document_bcs.
    ENDTRY.
    lo_send_request->set_document( lo_document ).
    DATA:
    lo_sender TYPE REF TO if_sender_bcs VALUE IS INITIAL,
    lo_send TYPE adr6-smtp_addr VALUE '[email protected]'.   "Absender SENDER
    lo_sender = cl_cam_address_bcs=>create_internet_address( lo_send ).
    Set sender
    lo_send_request->set_sender(
    EXPORTING
    i_sender = lo_sender ).
    Create recipient
    DATA:
    lo_recipient type ref to if_recipient_bcs value is initial.
    Data:
    lo_rec TYPE adr6-smtp_addr VALUE '[email protected]'. " Empfänger Receiver
    lo_recipient = cl_cam_address_bcs=>create_internet_address( lo_rec ).
    *lo_recipient = cl_sapuser_bcs=>create( sy-uname ).
    Set recipient
    lo_send_request->add_recipient(
    EXPORTING
    i_recipient = lo_recipient
    i_express = 'X' ).
    *lo_send_request->add_recipient(
    *EXPORTING
    *i_recipient = lo_recipient
    *i_express = 'X' ).
    Send email
    DATA: lv_sent_to_all(1) TYPE c VALUE IS INITIAL.
    lo_send_request->send(
    EXPORTING
    i_with_error_screen = 'X'
    RECEIVING
    result = lv_sent_to_all ).
    COMMIT WORK.
    MESSAGE 'The payment form has been emailed to the Vendor' TYPE 'I'.

  • Sound on receiver drops to internal Mac Mini speaker shutting down the TV..

    Hi all,
    Here 's my setup:
    Mac Mini connected to the Yamaha RXV-2600 (AV-receiver) over HDMI connected to a Panasonic plasma over HDMI.
    When playing music over the AV Receiver everything works like a charm until I switch off the TV, then the sound over the receiver drops dead and all I get is the internal Mac Mini speaker sound???
    My STB has the same connections (using HDMI input on the Yamaha an also HDMI out to the TV) but does not suffer from this usability blunder.
    Does anybody have a solution?

    Hmbucker wrote:
    Are you serious?
    You are suggesting another hardware workaround for something which should be taken into account by the mini' s drivers?
    A 1.5 $ toslink adapter can do the trick for me just as well.
    It is just my point that I wanted to avoid all this and waited for the hdmi enabled mini.
    If I had bought the previous it would have saved me 300 €.
    It is an Apple stupidity, even my cheap STB knows how to do it right.
    Sorry for the tone in my reply, I appreciate the help, but I am getting more and more frustrated by this device that in terms of performance can't compete with my old XBMC enabled XBox of €50.
    I wonder whether someone from Apple actually reads these issues, and whether they are doing something about it...
    The Mac mini is a computer, a computer is designed and expected to be used with a dedicated monitor which is not going to disappear from the computers perception. There is a scenario whereby a computer monitor is shared between multiple computers which is via a keyboard/video/mouse switch. These KVM devices have been specifically designed for this purpose and avoid this sort of problem by sending a signal to the computer +even when+ the KVM is switched so the monitor is displaying a different computer.
    As far as I have seen, typical AV Receivers do not send a signal in the same scenario to non-displaying devices and hence in this case the Mac mini perceives a loss of signal. The Gefen device therefore gets round this problem.
    With regards to set-top boxes and similar devices, they are not computers and have therefore been specifically designed (differently) to accommodate this situation.
    I agree it would be more preferable for Apple to make the Mac do this sort of thing automatically itself, but such a use is not the normal one for a computer so it is somewhat harsh to try and blame Apple.

  • I installed a suggested update, now I am not able to send/receive messages. How can I fix this?

    I installed a suggested update, now I am not able to send/receive messages.  Any advice on how to fix this problem?

    No third party apps, no signatures, we've cleared out contacts and are using just the numbers.  She ended up dropping her phone and got a new one.  She has a Galaxy S5, I'm still on my Lumia 928.
    I did a live chat with someone here, based on her suggestions we both power off our phones, remove/replace simm cards, restart phones regularly and this issue is still occurring.
    This issue ONLY happens with her, even when I'm at places that have horrible service, I receive messages/calls from everyone except her after I leave the trouble areas.  My phone tells me she is receiving my messages when she claims she isn't, her phone tells her I am receiving her messages when I am not.

  • I am not able to send/receive messages from one number intermittently.

    I have a friend, who is also through Verizon, and we are both having issues being able to send/receive text messages to/from each other.  I have no other issues with anyone else, only this one number.  I have checked that both phones are running current updates, I have a Lumia 928, she has an Android phone I'm unfamiliar with.  But we only have the issues with each other.
    Any suggestions, please
    Thanks
    Bob

    No third party apps, no signatures, we've cleared out contacts and are using just the numbers.  She ended up dropping her phone and got a new one.  She has a Galaxy S5, I'm still on my Lumia 928.
    I did a live chat with someone here, based on her suggestions we both power off our phones, remove/replace simm cards, restart phones regularly and this issue is still occurring.
    This issue ONLY happens with her, even when I'm at places that have horrible service, I receive messages/calls from everyone except her after I leave the trouble areas.  My phone tells me she is receiving my messages when she claims she isn't, her phone tells her I am receiving her messages when I am not.

  • Entourage Won't Send & Receive All as Scheduled

    Just recently, my entourage has quit "sending & receiving" all as scheduled - i have it set for every 5 minutes. i have to select the drop down menu and then select the account. i have checked the account settings to make sure that my default account is checked to "include in my send/receive all" and have deselected that option for any other accounts that i have.
    does anyone have any thought on how to fix this problems? thanks in advance for your assistance.

    never mind- i rebooted entourage and now it seems to be functioning correctly.

  • Muti-User TCP Send/Receive Sample

    Does anyone have a link to a video tut for showing how to do a Multi-User TCP Send/Receive Sample? I know there is a drag and drop tool you can use but Im interested in making it by hand to better understand how to program it my self. At some point I want
    to use this information to make a simple game that sends and receives data packets between two machines for a simple "fighting" game.

    conceptually, simple network programming is pretty easy. here is a excerpt from a prior post that may help you getstarted
    ok, there are a few fundamentals to cover.
    1) a network communication consists of:
    a server program listening on one of the server's ports (in this context port and socket are synonymous).
    a network path from client port to server port (I mention ports, because firewalls often filter on them, breaking the path).
    a client application sending data to a local socket
    a common  data format that both the client and server will use.
    2) the network acts as an intermediary to pass data between systems, but the data itself is system agnostic, so theres not really such a thing a java data. just data that was put in a format/encoding by whatever language.
    so your question has two parts:
    1) how to send to a server socket.
    2) how to format the data so that the server understands it.
    In terms of sending and receiving data, the system.net.sockets library is what you want, though Cor recommends using wcf. I've not worked with it, but here is a sample I worked up while exploring the http protocol:
    Module Module1
    Sub Main()
    Dim req As String = "GET / HTTP/1.1" & ControlChars.CrLf & ControlChars.CrLf
    Using sock As New Sockets.TcpClient()
    Try
    Console.WriteLine("Connecting...")
    sock.Connect("www.google.com", 80)
    If sock.Connected Then
    Console.WriteLine("Connected. Sending request...")
    Dim ns As Sockets.NetworkStream = sock.GetStream()
    Console.WriteLine(ReadResponse(ns))
    Dim sendBytes As Byte() = System.Text.ASCIIEncoding.ASCII.GetBytes(req)
    If ns.CanWrite Then
    ns.Write(sendBytes, 0, sendBytes.Length)
    Threading.Thread.Sleep(5000)
    Else
    Console.WriteLine("Stream not writable")
    End If
    Console.WriteLine(ReadResponse(ns))
    Else
    Console.WriteLine("Failed to connect")
    End If
    Catch ex As Exception
    Console.WriteLine(ex.Message & vbNewLine & ex.StackTrace)
    End Try
    sock.Close()
    Console.WriteLine("Press Enter to exit")
    Console.ReadLine()
    End Using
    End Sub
    Public Function ReadResponse(ByVal ns As Sockets.NetworkStream) As String
    Dim ret As String = "Response: "
    Dim resp As String = ""
    If ns.CanRead And ns.DataAvailable Then
    Using sr As New IO.StreamReader(ns)
    While sr.Peek <> -1
    resp &= vbNewLine & sr.ReadLine()
    End While
    End Using
    End If
    Return ret & resp
    End Function
    End Module
    it sends the data "GET / HTTP/1.1" to google, and reads the response. its just throwaway code, but should give you a good example.
    so, for a p2p IM application, I would have two sockets per client, one listening for incoming messages, and one sending to the remote box's listening port.
    once you have your sockets established its primarily reading and writing to the network stream that the connected sockets provide.
    Look it over and see if that doesn't help address some of your conceptual questions.
    Edit:
     as others have pointed out down the thread, this is far from perfect implementation, so if you are not in the us or on a slow connection, results may vary. seee below for details.

  • I can call out but all incoming calls are going directly to VM with no signal that I missed a call or have VM. I can send/receive text messages from other iPhone/iPad/iTouch users, I am assuming this is really "iMessage." Is it apple software?

    I have spent hours on the phone with Apple and AT&T. I went thought reset, on/off, etc, etc with both companies to no avail. Each company pointed fingers at the other....as being the source of the problem.
    Problems: Suddenly ALL  incoming calls were going directly to VM with no signal I missed calls and/or had VM. I was also unable to receive all Text Messages...Oddly, I could send text messages to anyone (even non-apple users but I could not receive their responses)........then I when I got home I started receiving text messages from other apples users ONLY. I assume now - iMessage kicked in and I could text (send/receive)  other iPhone/iPad/iTouch users ONLY. ....yes, I could still (send) text messages to my husband's blackberry (he received my messages fine) but my phone would NOT receive his text respones.
    Finally, I googled the problem and found this community where other people have had the exact same problems! One person said he "turned off 3 G" which was the solution for him....so I did the same and VIOLA! My problem  solved! Nevermind the fact that I pay for 3G and cannot use it....so here's my question, if 3G is the problem on my phone is this an APPLE issue or a NETWORK problem? Do I purchase a new phone and slip in my same SIM card and hope the same does not occur or do I get a whole new SIM card and phone? What is the long term resolution to this problem?
    I am happy however to find that my problem is NOT an isolated incident and wish Apple or AT&T had told me this is not so uncommon because I thought (based on the baffled response from Apple) that this has never occurred before.  Where is Steve Jobs when we need him?

        jsavage9621,
    It pains me to hear about your experience with the Home Phone Connect.  This device usually works seamlessly and is a great alternative to a landline phone.  It sounds like we've done our fair share of work on your account here.  I'm going to go ahead and send you a Private Message so that we can access your account and review any open tickets for you.  I look forward to speaking with you.
    TrevorC_VZW
    Follow us on Twitter @VZWSupport

  • Can't group text or send/receive picture messages! Please Help!

    Hell Everyone,
    so I just recently switched from my Iphone back to my blackberry for simplicity/practical reasons...I couldn't deal with the iphone anymore. In doing so, I came across a problem. I am not able to send group texts or send/receive mms. Everytime I try to do so, the text has a red 'X' next to it showing that it didn't go through. I am currently with ATT and have tried calling them to resolve it but no one knows.
    here are some of the steps I took to resolve it
    1. Resetted to Factory Settings - Did not work
    2. Made sure all the settings in my text message options is selected properly - Did not work
    3. Deactivated iCloud/iMessage on my previous iPhone - Did not work
    4. Called ATT and had them make sure BB Data plan was on my plan, and it was - Did not work
    Can someone please help?
    Thank you,
    Pogos

    Hi and Welcome to the Community!
    With a strong carrier network signal (e.g., not merely WiFi), I suggest the following steps, in order, even if they seem redundant to what you have already tried (steps 1 and 2 each should result in a message coming to your BB...please wait for that before proceeding to the next step):
    1) Register HRT
    KB00510 How to register a BlackBerry smartphone with the wireless network
    Please wait for one "registration" message to arrive to your Messages app
    2) Resend Service Books
    KB02830 Send the service books for the BlackBerry Internet Service
    Please wait for "Activation" Messages, one per already configured email account, to arrive in your Messages. If you have no already configured email accounts, please wait 1 hour.
    3) Reboot
    With power ON, remove the back cover and pull out the battery. Wait about a minute then replace the battery and cover. Power up and wait patiently through the long reboot -- ~5 minutes.
    See if things have returned to good operation. Like all computing devices, BB's suffer from memory leaks and such...with a hard reboot being the best cure.
    Hopefully that will get things going again for you! If not, then you should re-contact your mobile service provider for formal support...be sure to request their dedicated BB support group. MMS is a specific service level that must be properly enabled on BBs in order to function. Often, the first support group you reach will not understand the proper method for configuring this on BB...but their dedicated BB support group will.
    Good luck!
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • Help with iPad Identifying Phone Numbers in iMessage Send & Receive Settings / iMessage Syncing Help - iOS 6 - iPhone - iPad

    With iOS6, iPhone and iPad users will see that their Send & Receive iMessage settings have updated across their devices to be made available at both phone numbers and email addresses. You may have also seen alerts on one or more of your devices advising that another device is now using the same Apple ID/phone number for iMessage.
    Being able to be reached on iMessage on both Apple ID and phone numbers across devices means that iMessage can keep the same thread and sync across devices.
    Due to having 2 iPhones on different phone numbers running along side my iPad at one time, (whilst I was waiting for my phone number to be moved to a new provider), my iMessage settings on my iPad lost my phone number completely. I thought I would document the steps to recover this for anyone in the same boat.
    1. Check that you are signed in with the same iCloud Account on both iPad and iPhone.
    2. Turn off iMessage on your iPad from Settings > Messages.
    3. On your iPhone, go to Settings > Messages > Send & Receive. You should see your phone number and your iCloud email address in the 'Your can be reached by iMessage at:' list. Make sure both are ticked.
    4. At this point, I synced my iPhone with iTunes, then synced my iPad with iTunes.
    5. On your iPad, turn iMessage back on - your phone number should now show in the 'You can be reached by iMessage at:' list. Tick the phone number. You should receive an alert on your iPhone.
    This should resolve the issue.
    With the above set up and with the iOS 6 updates, iMessage should now sync fine across devices however I have still found the most successful way to run iMessage is to always start new conversations from your Apple ID and to start new threads by addressing the first message to an Apple ID from an Apple ID.
    To do this, go to Settings > iMessage > Send & Receive and tick your Apple ID in the 'Start new conversations from:' list, then start a new iMessage thread to the recipients Apple ID. This way, the thread will sync across iPad and iPhone. Note that a thread set up this way will not fall back on SMS, so you get a clean iMessage thread. This method also worked/works on iOS 5, as long as you send the first message of a new thread from an iPad (which can only send via Apple ID) to an Apple ID.
    Hopefully this helped someone!

    ipad has no phone number, you use a same email address for both devices. and set it in Settings>Messages>Send & Receive

  • Haven't been able to send/receive iMessages since upgrading from 4s to 6 plus

    I bought iphone 6 plus 64G to upgrade from my iPhone 4S. I have not been able to send or receive iMessages to iPhone users in my contacts with my cell number. It always uses my email when I create a new iMessage and is able to send that way. I cannot receive iMessages from iPhones to my cell number. which is a huge problem. I have tried turning iMessages on and off and resetting my network and nothing seems to be working. How can I resolve the problem?

    If you turn iMessage off and on, does it activate? If not, then see this troubleshooting support document. If you have difficulty activating FaceTime or iMessage - Apple Support
    If it does activate, the go to Send & Receive and see if your phone number is listed there. It should be grayed out and checked.

  • While send/receive email, I have received an error message "Sending of password d"? However with same login details, I am able to login with other application.

    While send/receive email, I have received an error message "Sending of password d"?
    However with same login details, I am able to login with other application.
    I have changed password still the issue remains as it is.

    https://support.mozilla.org/en-US/kb/cannot-send-messages

  • Thunderbird config to send/receive email

    I tried configuring Thunderbird to send/receive email from my new verizon fios account.  Simple Pop3 - how hard can it be?  Well, using the settings provided, I am unable to send or receive email.  I called and talked to tech support and they said they don't support Thunderbird, but I could talk to 'premium' support since they have no support boundaries.  Well, I don't think I should have to pay to get my email setup to a POP3 client. 
    Here's my current config:
    Mozilla Thunderbird 2.0.0.23
    Account:
    Server Type: POP Mail Server
    Server Name: incoming.yahoo.verizon.net
    Port 110
    User Name: myname
    Security Settings: Use Secure Connection: never
    Use secure authentication - not checked
    SMTP Server
    Server Name: outgoing.yahoo.verizon.net
    Port: 25
    User secure connection: no
    When trying to send an email I get:
    Sending of message failed.  The message could not be sent because connecting to SMTP server outgoing.yahoo.verizon.net failed.  The server may be unavailable or is refusing SMTP connections.  Please verify...
    When I try to get mail I get:
    Sending of password did not succeed.  Mail server incoming.yahoo.verizon.net responded:  Error logging in.  Please visit http://mail.yahoo.com
    Any help would be appreciated.

    winsomesmile wrote:
    That was the one thing the tech told me on the phone - to use verizon.yahoo.net for incoming and outgoing instead of verizon.net
    Other than that, I'm not sure where else to check that that is correct.
    If the agent told you to use the Yahoo servers, they were probably right. If you want to verify, you can log into your account at www.verizon.net and it should say that you have a Verizon with Yahoo account.
    As for the settings:
    1. Make sure the username and password that you have are the correct ones. Logging in to verizon.net will verify this.
    2. Check your incoming server settings. They should look something like the following image. (Of course, where the example just says "username" your username should be filled in.)
    3. Check your outgoing server settings. They should look something like the following image. (Of course, where the example just says "username" your username should be filled in.)
    4. Make sure that the password you are entering is correct. I suggest typing it out in a notepad then using copy and paste to verify that it is correct, since it will appear as asterisks in Thunderbird. Once you have successfully sent and received a test message, you might consider checking the box for remembering your password, although this is less secure than typing it in every time.
    Hope this helps! If you have any other questions, just let us know.
    If a forum member gives an answer you like, give them the Kudos they deserve. If a member gives you the answer to your question, mark the answer as Accepted Solution so others can see the solution to the problem.
    "All knowledge is worth having."

Maybe you are looking for