Sharing an array between methods

I have three classes as follows
import javax.swing.*;
public class result
String names, date, scores, records;
public result(String na, String da, String sc)
     names=na;
     date=da;
     scores=sc;
public String getName()
        return names;
public String getDate()
        return date;
public String getScore()
        return scores;
import javax.swing.*;
public class resultList 
final int DEFAULT_SIZE = 20;
int count;
result[] data;
public resultList()
data = new result[DEFAULT_SIZE];
count = 0;
public resultList(int size)
data = new result[size];
count = 0;
public void insert( result  myResults )
data[count] = myResults;
count++;
public result[] getResult()
return data;
import javax.swing.*;
import java.util.*;
import java.io.*;
public class Sport
public static void main (String[] args)
boolean alive = true;
try     
while (alive)
String menu = JOptionPane.showInputDialog(   //This the menu the user see's
"Select 1 to input results\n"+
"Select 2 to linearsearch\n"+
"Select 3 to Check contents of  array\n"+
"Select 0 to Quit");
int menu2=Integer.parseInt(menu);
if (menu2==1)           //i use if statements to match the methods with the menu
inputteams();
if (menu2==2)
linearsearch();
if (menu2==3)
printArray();
if (menu2==0)
alive = false;
catch (IOException e)
System.err.println("Caught IOException: "+ e.getMessage());
public static void inputteams()throws IOException
resultList myList = new resultList();
int count = 0;
int stillContinue = JOptionPane.YES_OPTION;
while (stillContinue == JOptionPane.YES_OPTION)
String na = JOptionPane.showInputDialog("Please, enter team name");
String da = JOptionPane.showInputDialog("Enter date:");
String sc = JOptionPane.showInputDialog("Please enter score");
if (na!=null && da!=null && sc!=null)
result data = new result(na, da, sc);
myList.insert(data);
else
JOptionPane.showMessageDialog(null,"Please enter all required data");
stillContinue = JOptionPane.showConfirmDialog(null, "Enter another record?",
"???", JOptionPane.YES_NO_OPTION);
count++;
public static void printArray() 
resultList myList = new resultList();
result[] data = myList.getResult(); 
for( int i=0; i<data.length; i++)
result myResults = data;
if( myResults != null )
System.out.println("Database contents" + myResults.toString());
else
System.out.println("232"); //Handling empty elements in the array
}               //to avoid return of nullPointer
}When i run the program and the menu pops up, i enter one and start inputting data.  Once i have completed this the menu pops up again.  This time i choose 3 to print the contents of my array.  However, all this does is print 232 numerous times which shows that the array i am creating in my printArray() is not being passed the contents of my array.  I have used a similar procedure to what i am doing in a different rpogram and it seems to work.  I cant see why this time the contents of my filled up array isnt being passed to this method.  Any advice on where i am going wrong?                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

public static void main (String[] args)
boolean alive = true;
resultList rl = new resultList();
Sport sport = new Sport();
try     
while (alive)
String menu = JOptionPane.showInputDialog(   //This the menu the user see's
"Select 1 to input results\n"+
"Select 2 to linearsearch\n"+
"Select 3 to Check contents of  array\n"+
"Select 0 to Quit");
int menu2=Integer.parseInt(menu);
if (menu2==1)           //i use if statements to match the methods with the menu
sport.inputteams(rl);
if (menu2==2)
sport.linearsearch(rl);
if (menu2==3)
sport.printArray(rl);
if (menu2==0)
alive = false;
catch (IOException e)
System.err.println("Caught IOException: "+ e.getMessage());
public  void inputteams(resultList l)throws IOException
//resultList myList = new resultList();
int count = 0;
int stillContinue = JOptionPane.YES_OPTION;
while (stillContinue == JOptionPane.YES_OPTION)
String na = JOptionPane.showInputDialog("Please, enter team name");
String da = JOptionPane.showInputDialog("Enter date:");
String sc = JOptionPane.showInputDialog("Please enter score");
if (na!=null && da!=null && sc!=null)
result data = new result(na, da, sc);
l.insert(data);
else
JOptionPane.showMessageDialog(null,"Please enter all required data");
stillContinue = JOptionPane.showConfirmDialog(null, "Enter another record?",
"???", JOptionPane.YES_NO_OPTION);
count++;
public void printArray(resultList l) 
//resultList myList = new resultList();
result[] data = l.getResult(); 
for( int i=0; i<data.length; i++)
result myResults = data;
if( myResults != null )
System.out.println("Database contents" + myResults.toString());
else
System.out.println("232"); //Handling empty elements in the array
}               //to avoid return of nullPointer
private void linearsearch(resultList l) {
// throw new UnsupportedOperationException("Not yet implemented");
}Edited by: d3n0 on Apr 14, 2008 8:10 PM                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

Similar Messages

  • Sharing an array between flex and php

    please provide some easy methods because i am new to
    php.

    please provide some easy methods because i am new to
    php.

  • Home Sharing Purchased Applications between 2 Different Ipads

    By using the Home Sharing feature I have shared Ipad applications between my Ipad and my wifes's Ipad. The first app was a purchased app and it works fine on both Ipads. However, when I shared other purchased apps they do not load when they are selected on the Ipad. Can someone confirm if you are suppose to be able to share purchased apps and if so why they will not launch when selected on the receiving Ipad?

    My wife and I have two ipads and share an itunes account. I beleive that is the "supported" method of doing it. You are purchasing the app, not for use on one device, but on all your devices.
    This allows you to upgrade and keep all purchased apps on the next device.
    We pick and choose, but can have the same apps across both ipads wihout problems this way.
    We have not attempted the Home sharing method as of yet.

  • Is there a way to create a shared net conn. between Airport and Ethenet?

    Is there a way to create a shared internet connection between one airport computer and another via ethernet?
    I have one computer (lets call this computer 'A') connected to the net via Airport which connects to a router, which is directly connected to my ADSL line.
    However, my other computer (computer 'B') is not located within range of this wireless router.
    Is there a way for me to send my internet connection via computer A to computer B, via an Ethernet cable or Airport connection or otherwise?
    ADSL---Wireless Router---(Airport)---Computer A---(Ethernet)---Computer B

    Is there a way for me to send my internet connection via computer A to computer B, via an Ethernet cable or Airport connection or otherwise?
    Yes, it's called Internet Sharing, and here's how to set it up...
    To setup for Internet Sharing (Wireless to Wired):
    Enable Software Firewall (Computer A)
    System Preferences > Sharing > Firewall
    o Click Stop to start the software firewall
    Setup the Network
    ADSL Modem > (Ethernet cable) > (Ethernet port) Wireless Internet Router > (wireless) > (AirPort Card) Computer A (Ethernet port) > (Ethernet cable) > (Ethernet port) Computer B
    Setup Port Order (Computer A)
    System Preferences > Network > Show > Network Port Configurations
    o Verify that "AirPort" and "Built-In Ethernet" are enabled.
    o Verify that "AirPort" is at the top of the list, followed by "Built-In Ethernet."
    o Click "Apply Now."
    Configure the Internet Connection (Computer A)
    System Preferences > Network > Show > AirPort > TCP/IP
    o Configure IPv4: Using DHCP
    o Configure IPv6: Automatically or Off
    Enable Internet Sharing (Computer A)
    System Preferences > Sharing > Internet
    o Share your connection from: AirPort
    o To computers using: Built-In Ethernet (checked) (Note: Uncheck all other entries in the list.)
    o Click Start

  • Home Sharing not working between wireless PC's / devices and ethernet wired PC's on the same router.

    Home Sharing is not working between wireless PC's / devices and ethernet wired PC's on the same router.  I installed a new Verizon FIOS ActionTec  MI424WR GigE wireless / ethernet router, replacing the original FIOS router.  With the old router Home Sharing worked fine across and among all iOS and Windows wired and wireless devices.  With the new router Home Sharing works between and among the Wired PC's but not between the wired PC's and the Wireless connected PC's or iOS devices.  Home Sharing also works between and among the wireless connected PC's and iOS decices but not between them and the wired PC's.
    Only the router was changed.  No changes were made to any of the devices except all were updated with the latest version of iTunes 10.7.0.21 and the iSO devices were updated to iOS vrsion 6.01.  Three PC's are wired and all are running Windows 7.  There also is a Windows Home Server connected to the router by ethernet port.  It does not run iTunes but does provide WebDAV services to my iOS devices.  This works fine.  Two PC's are wireless, one running Windows 7 and one running Windows 8.  All of the PC's are connected to the same (new) router via it's ethernet ports and it's wireless access point.  Two of the wired PC's are connected via a high-speed  ethernet hup that is connected to the router (Home Sharing works fine between the two PC's on the hub and the PC on the router).  All wired and wireless devices on the router are visible and members of the router's Home/Office virtual network.
    All of the PC's are visible in the Windows network and all shared files are accessable from all PC's, both wired and wireless.
    Obviously the router seems to be the issue, something between the ethernet and the wireless access point components.  I checked the settings and found nothing that would prevent Home Sharing between the wired and wireless devices.  There is no setting that isolates the wireless network.  I have done the following:
    Read the router user manual and checked all the settings
    Rebooted the router and tested.
    Turned off the router's firewall and tested.
    Home Sharing is turned on all the devices and all use the same Apple ID.
    Restarted iTunes and tested.
    Verified iTunes is "Allowed" in each PC's firewall.
    Again, I can Home Share between the two wireless PC's but not between either of the wireless PC's and any of the wired PC's.  I can Home Share between my iPads and iPhones and either of the two wireless PC's but not with any of the wired PC's.  I can Home Share between any of the wired PC's but not between any wired PC and a wireless PC or iOS device.
    I hope someone may have had a similar problem and has a fix suggestion.  I'm stumped!  I have a;so contacked ActionTec and awaiting an answer.

    Solution from ActionTec is:
    Log into your router.
    Click the Advanced icon
    Cclick Yes
    Click on the IGMP Proxy
    Select Disable
    Click Apply

  • My home sharing continually fails between mac and apple tv 2.

    my home sharing continually fails between mac and apple tv 2, even during watching a movie.  I go to the mac to re-turn on home sharing but it is still on.  Any tips?  I also have to turn off and back on at the mac every time i switch on my apple tv.

    Sharing Stopped working again over night.
    I went to Apple Support Artical TS2972
    As soon as I did this Home Sharing started working
    http://support.apple.com/kb/TS2972
    Firewall Section
    5. Check Firewall Settings
    If you have a firewall enabled in your router or computer, make sure that the firewall is not blocking communication between your computers. Home Sharing uses TCP port 3689 and UDP port 5353 to communicate with shared iTunes libraries.
    In addition, Apple TV and Mac computers will use port 123 to set the time automatically. Incorrect date and time on either the computer or Apple TV can cause errors for Home Sharing and connections in general.
    If you are unsure whether your router has a firewall or the required ports open, test additional devices or another network to help isolate the issue. If the devices tested work on another home network, it is your router or network configuration.
    For Mac OS X, you don't have to edit the port addresses, but make sure the firewall in Apple () menu > System Preferences > Security > Firewall are not set to:
    Block all incoming connections
    Allow only essential services
    If you use another security/firewall software on your computer or router, follow this article or contact the manufacturer or check the documentation on how to open TCP ports 123 and 3689 as well as UDP ports 123 and 5353.
    It made sense to me, but its still puzzling me after restarting a router would (in my first attempt) resolve the issue for a day.  This this time I applied the port forwarding TCP and UDP ports and saved the settings in the DLink DIR-655 and both my iPad2 and iPhone 3GS were now again finding the share. My ATV2 is also now accepting the Share.
    Tommorrow will be the true test.

  • Doubt in working of Arrays.sort method. help needed !!!!

    Hello Friends,
    I am not able to understand output of Arrays.sort method. Here is the detail of problem
    I wrote one program :
    public static void main(String[] args) throws ClassNotFoundException
         Object[] a = new Object[10];
         a[0] = new String("1");
         a[1] = new String("2");
         a[2] = new String("4");
         a[3] = new String("3");
         a[4] = new String("5");
         a[5] = new String("20");
         a[6] = new String("6");
         a[7] = new String("9");
         a[8] = new String("7");
         a[9] = new String("8");
    /* Sort entire array.*/
         Arrays.sort(a);
         for (int i = 0; i < a.length; i++)
         System.out.println(a);
    and output is :
    1
    2
    20
    3
    4
    5
    6
    7
    8
    9
    Question : Does this output is correct? If yes then on which basis api sort an array? I assume output should be 1 2 3 4 5 6 7 8 9 20.
    Can here any one please explain this?
    Thanks in advance.
    Regards,
    Rajesh Rathod

    jverd wrote:
    "20" and "3" are not numbers. They are strings, and "20" < "3" is exactly the same as "BA" < "C"The above is
    ... quote 20 quote less than quote 3 quote...
    but shows up as
    ... quote 20 quote less than quote...
    Weird.

  • Sharing Photo's between Aperture and iPhoto and syncing to iPads, etc

    Here is my problem.
    I have 5 Macs (1 iMac, 4 laptops.) There are 4 people in my family and we have the family pack of iLife. The iMac is where everything sits with a time capsule and Drobo hanging off of it - about 6 TB's of data. Each Mac sync's with a variety of iPods, iTouchs and iPads. All linked to a user. So for example, all my oldest son's devices sync with only his laptop.
    Well, I finally fixed my media (songs, movies, TV shows, etc) problem by leveraging home share in iTunes and authorizing all my Macs. But not so lucky yet for Photo's.
    Here is the my photo dilemma.
    I like Aperture for the editing and ability to handle large libraries better. So I have Aperture installed on the iMac where everything sits. iPhoto is also installed on the iMac and iPhoto is on all 4 other laptops. Prior to moving to Aperture, sharing photo's between computers was relatively easy using sharing in iPhoto - although it appears sharing in iPhoto is different than home share in iTunes. I converted my iPhoto library on the iMac to Aperture - now sharing is a pain in the neck.
    Ideally, a Home Share like feature would be built into Aperture and iPhoto with another feature that would allow you to "check for new photos" on the laptops and pull them into Aperture - but wishful thinking right now.
    So my while my 2 new iPads are awesome - they are basically useless for Photo's as they are synced to 2 laptops that use iPhoto, but all my Photos are in Aperture on the iMac.
    Thoughts anyone????
    Thanks

    What was the question?
    Regards
    TD

  • Passing Parameter between Methods

    I have some problems because i don't really know how to pass parameter between methods in a java class.
    How can i do that? below is the code that i did.
    I want to pass in the parameter from a method called dbTest where this method will run StringTokenizer to capture the input from a text file then it will run storeData method whereby later it will then store into the database.
    How can i pass data between this two methods whereby i want to read from text file then take the value to be passed into the database to be stored?
    Thanks alot
    package com;
    import java.io.*;
    import java.util.*;
    import com.db4o.ObjectContainer;
    import com.db4o.Db4o;
    import com.db4o.ObjectSet;
      class TokenTest {
           private final static String filename = "C:\\TokenTest.yap";
           public String fname;
         public static void main (String[] args) {
              new File(filename).delete();
              ObjectContainer db=Db4o.openFile(filename);
         try {
            String fname;
            String lname;
            String city;
            String state;
             dbStore();
            storeData();
         finally {
              db.close();
         public String dbTest() {
            DataInputStream dis = null;
            String dbRecord = null;
            try {
               File f = new File("c:\\abc.txt");
               FileReader fis = new FileReader(f);
               BufferedReader bis = new BufferedReader(fis);
               // read the first record of the database
             while ( (dbRecord = bis.readLine()) != null) {
                  StringTokenizer st = new StringTokenizer(dbRecord, "|");
                  String fname = st.nextToken();
                  String lname = st.nextToken();
                  String city  = st.nextToken();
                  String state = st.nextToken();
                  System.out.println("First Name:  " + fname);
                  System.out.println("Last Name:   " + lname);
                  System.out.println("City:        " + city);
                  System.out.println("State:       " + state + "\n");
            } catch (IOException e) {
               // catch io errors from FileInputStream or readLine()
               System.out.println("Uh oh, got an IOException error: " + e.getMessage());
            } finally {
               // if the file opened okay, make sure we close it
               if (dis != null) {
                  try {
                     dis.close();
                  } catch (IOException ioe) {
                     System.out.println("IOException error trying to close the file: " +
                                        ioe.getMessage());
               } // end if
            } // end finally
            return fname;
         } // end dbTest
         public void storeData ()
              new File(filename).delete();
              ObjectContainer db = Db4o.openFile(filename);
              //Add data to the database
              TokenTest tk = new TokenTest();
              String fNme = tk.dbTest();
              db.set(tk);
        //     try {
                  //open database file - database represented by ObjectContainer
        //          File filename = new File("c:\\abc.yap");
        //          ObjectContainer object = new ObjectContainer();
        //          while ((dbRecord = bis.readLine() !=null))
        //          db.set(fname);
        //          db.set(lname);
        //          db.set(city);
            //          db.set(state);
    } // end class
         Message was edited by:
    erickh

    In a nutshell, you don't "pass" parameters. You simply call methods with whatever parameters they take. So, methods can call methods, which can call other methods, using the parameters in question. Hope that makes sense.

  • Passing values between methods in the same class

    Hi,
    How to pass internal tables or values between methods in the same class.
    How to check if the internal method in another method is initial or not.
    How to see if the method has already been executed.
    Thanks.

    Just declare the internal table as an attribute in the class - that way every method in this class has access to it.
    Since any method has access to all class attributes you can easily check if the internal table is initial or not.
    I am not aware of any standard functionality if a method has already been executed or not, one way would be to declare a class attribute for each method and set it once the method has been executed. That way every method in that class would know which method has already been executed or not.
    Hope that helps,
    Michael

  • Sharing a VLAN between FWSM and ACE (Routed Mode)

    Anybody in here with experience on sharing a Vlan between an ACE and a FWSM module?
    I have a transfer network between the ACE and the FWSM in the same chassis. FWSM gets several vlans and ACE gets some Vlans.
    I wanted to configure it like this.
    firewall vlan group 10 <FWSM only vlans>
    firewall vlan group 20 <shared FWSM and ACE vlan>
    or
    svclc vlan group 20 <shared FWSM and ACE vlan>
    svclc vlan group 30 <ACE only vlans>
    The design hides the client side network and the server side network for the ACE behind the FWSM module.
    Layout:
    |-- Clients <--> MSFC <--> FWSM <--> ACE <--> Server --|
    So allocation on the 65xx would be like this.
    firewall module n vlan-group 10,20
    svclc module n vlan-group 20,30
    Any obvious issues with this design if you share the vlan(s) referred in group 20 with both modules?
    FWSM and ACE will be in routed mode.
    Thanks for reading...
    Roble

    Never mind...
    Just found the perfect answer for this in a another posting from Syed.
    http://forum.cisco.com/eforum/servlet/NetProf?page=netprof&forum=Data%20Center&topic=SNA%20Data%20Center%20Networking&CommCmd=MB%3Fcmd%3Dpass_through%26location%3Doutline%40%5E1%40%40.1dddee0b/0#selected_message
    Roble

  • Difference between method,event handler,supply function.

    hi,
    i wants to know what is the difference between
    method.
    event handler.
    supply funciton.
    Regards:
    Pankaj Aggarwal

    Hi Pankaj,
    These are few lines from the F1 help documentation given,
    Web Dynpro: Method Type :The type of a method defines whether you have an event handler, a supply
                                                function, or a (normal) method.
      Event Handler : Handlers of an event, a controller, an action, or an inbound plug of a view.
       Method : Modularization unit within a view or a controller.Methods of a view can only be called locally
                       within this view.Methods of a controller (component or custom controller) can also be called from
                       a view or another controller, provided the controller is entered as controller used .
       Supply Function : Method for filling a context node.
    For more information refer to the Thomas post
    Regards,
    Sravanthi

  • Sharing a shared network variable between two PC's connected to a network

    Sharing a shared network variable between two PC's connected to a network
    Surely this shouldn’t be so difficult! I have a little LabVIEW program running in the background of PC1. The exe’s task is to collect and send OPC variables held on a SCADA system and convert them to shared network variables (as I thought that they would be easy to share over a network, easier than the nasty OPC and DCOM issues). I have PC2 which runs measurement studio and I have created a nice test VB program which either writes or reads the network variables which are on PC1. The PC1 collection software is working perfectly and when I change the values on the SCADA system I can see the network variable change on ‘NI Distributed System Manager’. I When I look at ‘NI Distributed System Manager’ on PC2 I can’t see PC1 on the list and when I use the basic measurement studio code below to read the network variable it times out at the TestVariable.connect() line.
    Ok so what do I need to do to read a shared network variable sat on PC1 from PC2 on the network
    Public Class Form1
    Private WithEvents TestVariable As NetworkVariableSubscriber(Of Double)
    Private Sub Form1_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load
    TestVariable = New NetworkVariableSubscriber(Of Double)("\\192.168.58.139\Test\TestVariable")
    TestVariable.Connect()
    End Sub
    Private Sub TestVariable_Data_Updated(ByVal sender As System.Object, ByVal e As NationalInstruments.NetworkVariable.DataUpdatedEve​ntArgs(Of Double)) Handles TestVariable.DataUpdated
    TextBox1.Text = e.Data.GetValue
    End Sub
    End Class

    Sorry lost all the formatting
    Surely this shouldn’t be so difficult! I have a little
    LabVIEW program running in the background of PC1. The exe’s task is to collect
    and send OPC variables held on a SCADA system and convert them to shared
    network variables (as I thought that they would be easy to share over a
    network, easier than the nasty OPC and DCOM issues). I have PC2 which runs
    measurement studio and I have created a nice test VB program which either
    writes or reads the network variables which are on PC1. The PC1 collection
    software is working perfectly and when I change the values on the SCADA system
    I can see the network variable change on ‘NI Distributed System Manager’. I
    When I look at ‘NI Distributed System Manager’ on PC2 I can’t see PC1 on the
    list and when I use the basic measurement studio code below to read the network
    variable it times out at the TestVariable.connect() line.
    Ok so what do I need to do to read a shared network variable
    sat on PC1 from PC2 on the network
    Public Class Form1
        Private
    WithEvents TestVariable As NetworkVariableSubscriber(Of Double)
    Private Sub Form1_Load(ByVal sender As System.Object,
    ByVal e As System.EventArgs) Handles MyBase.Load
    TestVariable = New NetworkVariableSubscriber(Of
    Double)("\\192.168.58.139\Test\TestVariable")
    TestVariable.Connect()
    End Sub
    Private Sub TestVariable_Data_Updated(ByVal sender As
    System.Object, ByVal e As
    NationalInstruments.NetworkVariable.DataUpdatedEve​ntArgs(Of Double)) Handles
    TestVariable.DataUpdated
    TextBox1.Text = e.Data.GetValue
    End Sub
    End Class 

  • We have family sharing set up between all the family idevices. Can we share either Notes or a Pages document between devices?

    We have family sharing set up between all the family I devices. We want to collaborate on a document.  Can we share either Notes or a Pages document between devices?  We are all using iPad 2 or later and/or iPod touch or iPhone 5

    The "Sharing" part of Family Sharing refers mainly to purchased content. iCloud synced content such as Notes and contacts as well as documents is not included. While I do not know of anyway to share notes, iWorks documents can be shared directly from the app via an iCloud link.

  • Sharing Keynote documents between two macs.

    I am Sharing Keynote documents between my two macs via wi-fi, so my question , is there a potential problem of data lost when going back and for from one computer to the other. It is very important that no possible problems may happen for important lectures.....
    Thanks

    Ok that sounds good, Both computers should have all the fonts, no music at the moment.
    I was wondering that I had data lost when transferenig keynote documents using usb memory sticks, lost of pictures, the trick that avoid that was compressing the document before placing it into the usb memory stick.....I undertood that was because of the memory stick format. So going from computer to computer through wifi should be fine...just does recomendations that you were saying. Right ?

Maybe you are looking for

  • Error Code 0xC004F074 Win 8.1 Clone

    Hello.  I have a Toshiba P867-S7102 with two HDD bays.  Bought an SSD and cloned WIN 8.1 to that drive, leaving the original HDD in the machine.  Changed boot order to SSD first, and all works save the error code mentioned in the title which will not

  • How to remove duplicate amount  in report

    Hello, I created PO wise details and my layout is VENDOR CODE VENDOR NAME PURCHASE DOC. PURCHASE AMOUNT PURCHASE DATE INVOICE NUMBER INVOICE DATE INVOICE AMOUNT PAYMENT NUMBER PAYMENT DATE PAYMENT AMOUNT In my output payment amount is repeting for sa

  • Search option in tracklist/playlist in nokia 5310 ...

    Hi, I am having nokia 5310 xpress music. I am looking for the search option in playlist. sometimes playlist is too long and you are looking for a particular song to be player then I need to scroll down the whole list to find the related song. I am ha

  • How to get current URL from Internet Explorer ?

    Hi, I have design an add-on for IE and I'm trying to get URL from IE which is currently opened that is which is currently user sees. Is there any way to get it? I want to store that address in label and use it for something useful. Is it possible wit

  • Cannot open Nikon D5200 RAW (NEF) Files in Bridge CS5.

    How do I sort this problem? Is there a bridge CS5 update for this camera? (I can't find one in Adobe Downloads) Dmecy