BlackBerry Q10 organizing data transfer from my Z10 and Q10 to my curve 9220


You other thread replied.

Please don't double post and cross post in the forum. Once is enough.

http://supportforums.BlackBerry.com/T5/BlackBerry-Curve/transferring-Organizer-data-from-my-Z10-and-...

Tags: BlackBerry Smartphones

Similar Questions

  • BlackBerry Z10 organizing data transfer from my Z10 and Q10 to my curve 9220

    Hi team,

    I want to transfer my contacts from Z10 and Q10 on my device inherited from curve 9220. I have already backed up my data using the BlackBerry link and I know that my curve is not compatible with BlackBerry Link. Can you give me a step-by-step procedure on how to synchronize my contacts from my BlackBerry 10 devices to my Gmail account? I intend to add my Gmail account on my device of curve and I sync my data out there.  Thank you for the quick response on this subject.

    See you soon!

    Lucena

    Even with an older BlackBerry which doesn't BB10 you can use the BB link to transfer information.

    http://docs.BlackBerry.com/en/smartphone_users/deliverables/47561/mwa1354393789617.jsp#mwa1354393854...

  • BlackBerry Smartphones Organizer data transfer from my Z10 and Q10 to my Curve 9220. Need help.


    Simply open your settings > accounts > your gmail account and turn on your synchronization comes into contact with the settings.

    Verify your Gmail account on the webmail of connection from a PC, and that all of your gmail contacts were synchronized to the server.

    Then, set up the Gmail account on your 9220 and in so doing, enable synchronization of gmail contacts.

  • Data transfer from FPGA to RT in cRio

    What is the best method to transfer a set of data in an fpga to a target of RT (using a sbrio).

    I have the FPGA generating fixed size datapackets (essentially a group of data), it generates these packets of a fixed size (128octets/package) sent My FPGA asynchronously to the RT code.  The packest are generated at a rate of 0-1000 per second.  In traditional labview, it would be a simple architecture of producer consumer with the cluster of queue type.  I have a few ideas for FPGA, but want to use the recommended architecture.

    Resources or ideas are welcome.

    Yes, you will need to send the items one by one to the host through the FIFO. You can configure the type of data FIFO to be long until 64-bit (and half of bits-pack to your package in this data type). Or, you can keep the long FIFO data type of 1 byte and send 128 elements by package. In this case, you could do something like that on the host computer:

    This would avoid host to pull elements of the FIFO, until the whole package is received.

  • Create a data streaming from C++ stream and read it in LabView

    Hi all.

    I'm working on a project that is to connect to a tracker of movement and reading data of position and orientation of this in real time. The code to get the data is in c ++, so I decided that the best way to do it would be to create a c++ DLL that contains all the functions necessary to first connect to the device and it reads the data and use the node to call a library function to power the Labview data.

    I have a problem, because, ideally, I would like a continuous flow of data from the code c ++ in Labview, and I don't know how to do this. Put the node function of library call for a while loop seems like an obvious solution, but if I do it this way I'd have to reconnect to the device whenever I get the data, which is quite a bit too slow.

    So my question is, if I created c ++ function that creates a data stream, could I read that in Labview without continually having to call a function? I would rather have only to call a function once, and then read the data stream until a stop command is given.

    I'm using Labview 2010, version 10.0.

    Apologies if the question is badly worded, thank you very much for your help.

    Dave

    dr8086 wrote:

    This method resembles an excellent suggestion, but I have a few questions where I don't think I understood fully.

    I understand the basic principle is to use a call library function node to access a DLL that creates an instance of the device object and passes a pointer too in labview. Then a separate call library function node would pass this pointer to another DLL that could access the device object, update and read the data. This part could be in a while loop, then continue on reading the data until a stop command is given.

    That's all. I'm including some skeleton for example code. I am also including the code because I don't know how you experience multi threading so I show how you can use critical sections to avoid interactions between threads so that they do not lead to questions.

    // exported function to access the devices
    extern "C"  __declspec(dllexport) int __stdcall init(uintptr_t *ptrOut)
    {
        *ptrOut= (uintptr_t)new CDevice();
        return 0;
    }
    
    extern "C"  __declspec(dllexport) int __stdcall get_data(uintptr_t ptr, double vals[], int size)
    {
        return ((CDevice*)ptr)->get_data(vals, size);
    }
    
    extern "C"  __declspec(dllexport) int __stdcall close(uintptr_t ptr, double last_vals[], int size)
    {
        int r= ((CDevice*)ptr)->close();
        ((CDevice*)ptr)->get_data(last_vals, size);
        delete (CDevice*)ptr;
        return r;
    }
    
    // h file
    // Represents a device
    class CDevice
    {
    public:
        virtual ~CDevice();
        int init();
        int get_data(double vals[], int size);
        int close();
    
        // only called by new thread
        int ThreadProc();
    
    private:
        CRITICAL_SECTION    rBufferSafe;    // Needed for thread saftey
        vhtTrackerEmulator *tracker;
        HANDLE              hThread;
        double              buffer[500];
        int                 buffer_used;
        bool                done;       // this HAS to be protected by critical section since 2 threads access it. Use a get/set method with critical sections inside
    }
    
    //cpp file
    
    DWORD WINAPI DeviceProc(LPVOID lpParam)
    {
        ((CDevice*)lpParam)->ThreadProc();      // Call the function to do the work
        return 0;
    }
    
    CDevice::~CDevice()
    {
        DeleteCriticalSection(&rBufferSafe);
    }
    
    int CDevice::init()
    {
        tracker = new vhtTrackerEmulator();
        InitializeCriticalSection(&rBufferSafe);
        buffer_used= 0;
        done= false;
        hThread = CreateThread(NULL, 0, DeviceProc, this, 0, NULL); // this thread will now be saving data to an internal buffer
        return 0;
    }
    
    int CDevice::get_data(double vals[], int size)
    {
        EnterCriticalSection(&rBufferSafe);
        if (vals)   // provides a way to get the current used buffer size
        {
            memcpy(vals, buffer, min(size, buffer_used));
            int len= min(size, buffer_used);
            buffer_used= 0;                 // Whatever wasn't read is erased
        } else  // just return the buffer size
            int len= buffer_used;
        LeaveCriticalSection(&rBufferSafe);
        return len;
    }
    
    int CDevice::close()
    {
        done= true;
        WaitForSingleObject(hThread, INFINITE); // handle timeouts etc.
        delete tracker;
        tracker= NULL;
        return 0;
    }
    
    int CDevice::ThreadProc()
    {
        while (!bdone)
        {
            tracker->update();
            EnterCriticalSection(&rBufferSafe);
            if (buffer_used<500)
                buffer[buffer_used++]= tracker->getRawData(0);
            LeaveCriticalSection(&rBufferSafe);
            Sleep(100);
        }
        return 0;
    }
    

    dr8086 wrote:

    My main concern is that the object can get out of memory or be deallocated since it would not take place to any namespace or whatever it is.

    As you create the object with the new, the object expire not until the dll is unloaded or the process (LabVIEW) closes. If the object will remain valid between condition LabVIEW dll calls not a not unload the dll (who does if the screws are closed). When that happens, I don't know exactly what happens to the active objects (that is, if you forgot to call close), I guess the system recovers the memory, but the device could still be opened.

    What to do to make sure that everything is closed when the dll before I could call unloads close and remove the object is whenever I create a new object in the dll that I add to a list when the dll is unloaded, if the object is still on the list, that I'm deleting it.

    dr8086 wrote:

    I also have a more general question of programming on the purpose of the buffer. The buffer would essentially be a large table of position values, which are stored until they can be read in the rest of the VI?

    Yes, see the code example.

    However, according to the frequency with which you need to collect data from the device you have this buffer at all. That is, if take you a sample on every 100ms, then you can remove all threads and buffer related functions and instead to read data from the read feature itself like this:

    double CDevice::get_data()
    {
        tracker->update();
        return tracker->getRawData(0);
    }
    

    Because you need only a buffer and a separate if thread you collect data at a high frequency and you can not lose any data.

    Matt

  • Data transfer from XP to new computer running Windows 8

    What is the best method to transfer the data from my old computer with XP to my new computer Windows 8?

    What is the best method to transfer the data from my old computer with XP to my new computer Windows 8?

    Copy and paste the files files you need.
    To copy the profile data you can use, windows Easy Transfer Wizard

  • New phone of blackBerry Smartphones Have - data transfer

    I currently have a bb curve 9320.  I changed for sony xperiea and need to get the data across.

    Sony told me that I should contact Blackberry to find out how you can save the handset so that the file is not encrypted so it can then be forwarded to your mobile Xperia.  Didn't know that my backup of data have been encrypted.

    1. connect two devices via Bluetooth, go to bluetooth on 9320 settings > you will see sony xperia in paired devices > option and select transfer press contacts. (you will see the option 'Transfer of Contacts' If this Protocol is available on your phone too, its available on most devices then you should try it).

    2. you cannot transfer your sms, emails or other accounts...

    3. use a memory card to transfer media files.

  • Data transfer from matlab to labview

    I'm having a problem importing data I save with Matlab in Labview. From the Web site of NOR, I gathered these information:

    1. To record a vector or a format ASCII of Xin matrix with delimiter to the tab, enter the following in the command window, or m-script file in the MATLAB® environment:

      >>SAVE filename X   -ascii -double -tabs
      

      This creates a file whose name is the name of the file, and it contains the X data in ASCII format with a tab delimiter.

    2. ' Import the file in LabVIEW using reading of spreadsheet files VI located on the programming "file IO palette.

    However, when I have something like an m x n matrix import in labview, I get a m × (n + 1) matrix, with the additional column is all zeros. This should be a simple answer... I know that I can remodel matrices, etc., but it seems as if it could be avoided. I can't seem to understand and am pressed for time. Any help would be appreciated.

    How big are the files? Simply remove the last colum using "remove table" is probably the simplest solution.

  • Data transfer from the camera to the Tablet

    I am considering buying a HP Slate & I am wandering is the best way to transfer photos from my digital SLR camera Nikon to the Tablet, also, which is the best access point for photo editing.
    Thank you very much

    Stream can use an otg memory card reader.

  • data transfer from windows 7 to windows 10 laptop

    I need to transfer files from my old laptop to windows 7 windows again laptop 10. What is the best way to achieve this?

    What is "best" depends on your configuration. Some people do so via a network, others with a flash drive, others by putting the old drive in a USB enclosure and connect it to the new machine.

  • question about data transfer from the computer using LAN network Analyzer

    Hello. I had a problem.

    I download the driver of instruments and settings S measured by the Rohde & Schwarz site.

    When I started using the measure, the error in the parser to network RSZVB-14 shows that

    «Distance error:-222, "data out of reach,: FREQTAR1»»

    In labview, had not any waveform.

    Need your help.

    Zinou

    Hello

    If you use RSZVB-14, it has frequency range 10 MHz - 14 GHz. example was written for models that start by 300 kHz.

    Just change the Start frequency to 10 MHz

    See you soon,.

    Milo

  • Table data transfer from one page to another page in the OFA

    Hi all

    Could you please help me with the following requirements. I'm transferring the first records of the selected page to the second page, but running in question.

    I have 2 custom OAF pages:

    1st Page is the search looking for an invoice and invoice page, the user can select "multiple entries" (her table with a multiple selection area) and click transfer.

    Internally, the button calls the setForwardUrl method and call the 2nd page, where the second page contains region Advacned table to display the records selected the 1st page.

    Because the user can select more than 1 record in the search box on the first page, I want to hold all the rows in a table of Hashmap with integer index and transfers them to the 2nd page. Here is the syntax of hashmap that I use:

    map of java.util.HashMap < Integer, InvoiceRow > new < Integer, InvoiceRow > = (); Here InvoiceRow is a CLASS structure personalized with InvoiceNumber and as variables inside customer number.

    But if I passed the HashMap above to the setForwardURL method, the JDeveloper throw an exception indicating that the message "setForwardURL cannot invoke".

    Could you please help me how can I transfer the first page of records multiselected on the second page?

    Enjoy your time.

    -Vincent

    Mohamed, the approach that I told you can try below way:

    public String getSelectedData()
    {
    String whereclause = "(";"
    String whereclause1 = "(";"
    XXCONTAINLINESVOImpl vo = this.getXXCONTAINLINESVO1 ();
    OAViewObject vo = (OAViewObject) getXXDPECONTAINLINESVO1 ();
    System.out.println ("debTEST" + punload);
    Rank [] sumVoRow = vo.getFilteredRows ("Select1", "Y");
          
    System.out.println ("deb multi select test" + sumVoRow.length);
    If (sumVoRow! = null & sumVoRow.length > 0)
    {
    for (int i = 0; i)< sumvorow.length;="" i++)="">
             
            
    String wipEntityId =
    sumVoRow [i].getAttribute("LineId").toString ();
              
                
    WhereClause = whereclause + sumVoRow [i].getAttribute("LineId").toString () + ",";
                 
    System.out.println ("deb multi select test" + whereclause);
            
    }
    }
    If (whereclause.length () > 0 & whereclause.charAt (whereclause.length () - 1) == ',')
    {
            
    B StringBuilder = new StringBuilder (whereclause);
    ("b.Replace (WhereClause.LastIndexOf (","), whereclause.lastIndexOf (", ") + 1," ")");
    WhereClause = b.toString ();
    whereclause return;
              
    }
    System.out.println ("deb where test clause" + whereclause);
           
    whereclause return;
    }

    This method will return the value as: whereclause = (111,222,333) then put it in a varibale session and go to method of CO below

    ----------------------------
    public void processPOData (String wherclause)
    {

    String query = getXXDPECONTAINDATAVO1 () .getQuery (); Old stringbuffer queryStringBuffer = new StringBuffer();
    String newwhereclause = "LINE. LINE_ID IN "+ wherclause;

    System.out.println ("NEW DEB where clause:" + newwhereclause);
    StringBuffer stringbuffer = new StringBuffer();
                          
    StringBuffer.Append ("SELECT rownum LINE_NUM, A.* (" ");
    StringBuffer.Append (Query);
    StringBuffer.Append ('where');
    StringBuffer.Append (newwhereclause);
                       
    ViewDefImpl viewdefimpl is getXXDPECONTAINDATAVO1 () .getViewDefinition ();.

    viewdefimpl.setQuery (stringbuffer.toString ());
                       
        
               
    System.out.println ("DEB NEW QUERY TEST:"+stringbuffer.toString()); ")
    getXXDPECONTAINDATAVO1 () .executeQuery ();
              
    }

    Let me know if stil you face to deliver you

    Thnaks

    Deb

  • data transfer from one table to another and by generating a primary key

    Hello experts,

    Well, I have 2 paintings and I need to move columns in one of them.
    the problem is state that the primary key of the second table has to go in a column in the first table, and I generate a primary key in the first table as well. How to generate the primary key

    You can insert the value of key primary agent_id from agent table via before level trigger for insertion line. The agent_id value can be generated through a sequence.

    the trigger code can be as

    create sequence seq_agent;
    
    create or replace trigger trg_agent_id before insert
    on agent
    for each row
    declare
       v_agent_id number;
    Begin
       select seq_agent.nextval into v_agent_id from dual;
       :new.agent_id:= v_agent_id;
    End;
    

    So when will pull you insert tasks than this agent_id value will be added. And you will not get error

    Twinkle

  • Data transfer from Mac to Mac

    Hello, I just bought a new Mac desk top and I'm trying to move the contents of my old Macbook using the Migration Wizard and the use of the capsule.  He says that 55 remaining hours ago! So my question is, connecting two computers via Thunderbolt would be faster?

    I don't know where the capsule is inserted in this the fastest port it's ethernet (gigabit).

    Mac to Mac thunderbolt should be much faster... but it takes time to move files, and if the laptop has a rotating disc... Ethernet is just as fast.

    Wireless is the worst...

    And if your laptop is missing ethernet then maid in love at first sight are excellent. However the thunderbolt cables are ridiculous price. It can be even cheaper to buy a bolt of lightning for the ethernet card and a connecting cable ethernet... that are a little money... all this, it's cheaper than a cable long enough thunderbolt.

  • Software BlackBerry Blackberry link cannot communicate with the device (Z10 and MacBookPro)

    I've just updated my Z10 software to version 10.0.9.2372 by link of BlackBerry OS on my MacBook Pro, and since that time, I can't get the link to communicate again to my Z10. Even an attempt to "Restore the device" is insuccessful as the error: "canoe repair of error" appears during the process. (Believe me, it is the real spelling of this error message!) can anyone suggest a solution? (Yes, I re-installed the link on my mac, rebooted the phone numerouis times, disconnected and re-connected the USB cable, without success.)

    Problem solved! I found that link to 79 BlackBerry update build on my MacBook Pro, I am now able to connect to my Z10.

    I hope this helps those who have the same problem.

Maybe you are looking for