Can I get some help on this mac

I am new to Mac. I used a PC for many years and have swapped to the mac. I need to know, how do I delete programs? I am sure I will be back for more help. Thanks.
Porter Haskew

Welcome to the Apple boards.
Deleting a program (called an app in Mac-ese) is usually nothing more than dragging it into the trash or right-clicking it and trashing it.
However, some apps have threads elsewhere and may not delete properly or it might cause system problems.
And some apps have a script that goes with them that you run to delete them. MS Office and the XTools are two such examples of programs that should be removed only by their delete scripts.
If you list the names of he apps you wish to delete, we can help you much better than your general question which, as I have pointed out, has several answers.
Unlike Winders, there is no one place to go to remove a program. There are plusses and minuses they way Macs handle removing programs.

Similar Messages

  • HT204408 My applications folder has a black question mark on it at the bottom of my screen. I do not know what error I made, but my fan effect of the previous applications has gone away. Can I get some help with this?

    One day ago I inadvertantly removed my applications folder. In it's place is a folder with a black question mark which appeared after I attempted to open up the applications file. Also, previously when I clicked on the file applications would open in a fan display. Could I please get some assistance with this?

    ...removed my applications folder.
    From where? And to where?
    If you trashed it and emptied the trash, what backup, if any, do you have? If it's still in the Trash, move it back.
    If no backup, reinstall Snow, which will give you the version as of the DVD you use, then update back to 10.6.8, and run all other needed updates, including any security updates. This should save all your third party programs, as well as settings.
    The white puff of smoke is nothing, it only means you moved it out of the Dock. If you still have it, or had it, as soon as you open it it would reappear in the Dock. The item in the Dock is only a kind of alias.

  • Can I get some help with this please

    I got the following error messages from java after running my code.
    Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 66
         at Graph.ChainingHashTable.get(ChainingHashTable.java:76)
         at Graph.Vertex.isNeighbor(Vertex.java:123)
         at Graph.LinkedGraph.addEdge(LinkedGraph.java:42)
         at Graph.Traversals.main(Traversals.java:311)
    The following is my code
    Traversal.java
    package Graph;
    public class Traversals implements Callback<Vertex>
        public void visit( Vertex data )
            System.out.println( data.getName() );
         * Perform a breadth first traversal of the vertices in the given graph
         * starting at the specified node. The call back object is used to process
         * each node as it appears in the traversal.
         * @param g the graph to traverse
         * @param start the vertex where the traversal will start
         * @param cb the object that processes vertices.
        public void BFSTraverse( Graph g, Vertex start, Callback<Vertex> cb )
            Queue<Vertex> waiting = new LinkedQueue<Vertex>(); // Queue of waiting
                                                                // vertices
            // Ensure the graph has no marked vertices
            List<Vertex> vertices = g.getVertices();
            for( vertices.first(); vertices.isOnList(); vertices.next() )
                vertices.get().setTag( false );
            // Put the start vertex in the work queue
            waiting.enqueue( start );
            // While there are waiting vertices
            while( !waiting.empty() )
                // Get the next Vertex
                Vertex curVertex = waiting.front();
                waiting.dequeue();
                // If this Vertex hasn't been processed yet
                if( !curVertex.getTag() )
                    cb.visit( curVertex ); // Process the vertex
                    curVertex.setTag( true ); // Mark it as visited
                    // Put its unmarked neighbors into the work queue
                    List<Vertex> neighbors = curVertex.getNeighbors();
                    for( neighbors.first(); neighbors.isOnList(); neighbors.next() )
                        Vertex cur = neighbors.get();
                        if( !cur.getTag() )
                            waiting.enqueue( cur );
         * Use Kruskal's algorithm to create a minimum spanning tree for the given
         * graph. The MST is returned in the form of a graph.
         * @param g the graph from which to generate the MST
         * @return a graph containing the the vertices of g and the the edges
         *         nesseary to form a minimum spanning tree.
        public Graph kruskalMST( Graph g )
            // Where the MST will be stored
            Graph mst = new LinkedGraph();
            // All the vertices in the graph
            List<Vertex> vertices = g.getVertices();
            // List of Vertex Sets
            List<Set<String>> vertexSets = new LinkedList();
            // Add the vertices in the original graph to mst
            // and create the vertex sets at the same time
            for( vertices.first(); vertices.isOnList(); vertices.next() )
                String curName = vertices.get().getName();
                Set<String> curSet = null; // new ArrayBasedSet<Vertex>();
                // Add the name of the current vertex to its set and then
                // add the set to the list that contains the vertex sets
                curSet.add( curName );
                vertexSets.add( curSet );
                // Add the current vertex to the MST graph
                mst.addVertex( curName );
            // Put the edges into a heap which effectively sorts them
            Heap<Edge> edges = new ArrayBasedHeap<Edge>();
            List<Edge> allEdges = g.getEdges();
            for( allEdges.first(); allEdges.isOnList(); allEdges.next() )
                edges.insertHeapNode( allEdges.get() );
            // Setup is complete - run the algorithm
            // There is more than one set left in the list vertex sets
            while( vertexSets.size() > 1 )
                // Get the smallest edge
                Edge cur = edges.getSmallest();
                // Find the sets where these vertices are located
                int sourcePos = findSet( vertexSets, cur.getSource().getName() );
                int destPos = findSet( vertexSets, cur.getDest().getName() );
                // If the vertices are in different sets - add the edge to
                // the MST
                if( sourcePos != destPos )
                    Set<String> sourceSet = vertexSets.get( sourcePos );
                    Set<String> destSet = vertexSets.get( destPos );
                    // Add the edge to the MST
                    mst.addEdge( cur.getSource().getName(),
                            cur.getDest().getName(), cur.getCost() );
                    // Merge the sets
                    sourceSet.union( destSet );
                    vertexSets.remove( destPos );
            // The MST can be read from this graph
            return mst;
         * Return the position of the first set in the list that contains the
         * specified name.
         * @param vertexSets a list of sets to search.
         * @param name the name being searched for.
         * @return the position of the first set in the list that contains the name
         *         or -1 if the name cannot be found.
        private int findSet( List<Set<String>> vertexSets, String name )
            int retVal = -1;
            // Step through the list and examine each set. Stop when you
            // find a set with the name or we fall off the list
            for( int i = 0; retVal == -1 && i < vertexSets.size(); i = i + 1 )
                Set curSet = vertexSets.get( i );
                // Does the current set contain the name we are looking for?
                if( curSet.contains( name ) )
                    retVal = i;
            // Return the position of the set
            return retVal;
         * Perform Dijkstra's Shortest Path algorithm on the given graph, starting
         * at the given vertex.
         * @param g the Graph to traverse.
         * @param name the name of the vertex where the traversal starts.
         * @return an array containing vertex path costs.
        public int[] dijkstraSP( Graph g, String name )
            // The names of the vertices for which the shortest
            // path is not known
            Set<String> u = new ArrayBasedSet<String>();
            // The names of the vertices for which the shortest
            // path is known
            Set<String> s = new ArrayBasedSet<String>();
            // Put the vertices in an array to make things easier
            List<Vertex> vertices = g.getVertices();
            Vertex v[] = new Vertex[ vertices.size() ];
            for( int i = 0; i < vertices.size(); i++ )
                v[ i ] = vertices.get( i );
            // The starting vertex
            Vertex start = g.getVertex( name );
            // The lowest costs seen so far
            int c[] = new int[ v.length ];
            // Temporary edge used by the program
            Edge curEdge = null;
            // Sort the vertices by name so that the costs will
            // appear in order by name
            Heap<String> names = new ArrayBasedHeap<String>();
            // Build the heap
            for( int i = 0; i < v.length; i = i + 1 )
                names.insertHeapNode( v[ i ].getName() );
            // Read out the values
            for( int i = 0; !names.empty(); i = i + 1 )
                v[ i ] = g.getVertex( names.getSmallest() );
            // We "know" the shortest path to the source
            s.add( name );
            // For each vertex, compute the starting cost
            for( int i = 0; i < v.length; i = i + 1 )
                // If this isn't the start node
                if( !v[ i ].getName().equals( name ) )
                    // Put it in the unknown set
                    u.add( v[ i ].getName() );
                    // Compute the initial cost to reach this Vertex
                    curEdge = start.getEdge( v[ i ].getName() );
                    if( curEdge != null )
                        c[ i ] = curEdge.getCost();
                    else
                        // This Vertex is currently unreachable
                        c[ i ] = Integer.MAX_VALUE;
                else
                    // It costs 0 to get to the start vertex
                    c[ i ] = 0;
            // Set is complete - run the algorithm until all of
            // the paths are known
            while( !u.isEmpty() )
                // Find the position of the lowest-cost unknown node
                int min = Integer.MAX_VALUE;
                int minPos = -1;
                for( int i = 0; minPos == -1 && i < c.length; i = i + 1 )
                    if( c[ i ] < min && u.contains( v[ i ].getName() ) )
                        min = c[ i ];
                        minPos = i;
                // We know the shortest path to the vertex
                s.add( v[ minPos ].getName() );
                u.remove( v[ minPos ].getName() );
                // Update the costs based
                for( int i = 0; i < c.length; i = i + 1 )
                    // Get the edge between the new shortest and the
                    // current node in the array
                    curEdge = v[ minPos ].getEdge( v[ i ].getName() );
                    // If there is an edge
                    if( curEdge != null )
                        // If going through the new node is better than
                        // what has been seen update the cost
                        if( c[ i ] > c[ minPos ] + curEdge.getCost() )
                            c[ i ] = c[ minPos ] + curEdge.getCost();
            return c;
        public static void main( String args[] )
            Traversals t = new Traversals();
            Graph g = new LinkedGraph();
            g.addVertex( "A" );
            g.addVertex( "B" );
            g.addVertex( "C" );
            g.addVertex( "D" );
            g.addVertex( "E" );
            g.addVertex( "F" );
            g.addEdge( "A", "B", 5 );             <--------------------------------------------------------------------------------------------Line 311
            g.addEdge( "A", "D", 9 );
            g.addEdge( "A", "C", 10 );
            g.addEdge( "B", "A", 5 );
            g.addEdge( "B", "D", 4 );
            g.addEdge( "C", "A", 10 );
            g.addEdge( "C", "D", 13 );
            g.addEdge( "C", "E", 14 );
            g.addEdge( "D", "B", 4 );
            g.addEdge( "D", "A", 9 );
            g.addEdge( "D", "C", 13 );
            g.addEdge( "D", "E", 7 );
            g.addEdge( "D", "F", 8 );
            g.addEdge( "E", "C", 14 );
            g.addEdge( "E", "D", 7 );
            g.addEdge( "E", "F", 2 );
            g.addEdge( "F", "D", 8 );
            g.addEdge( "F", "E", 2 );
            int costs[] = t.dijkstraSP( g, "A" );
            for( int i = 0; i < costs.length; i = i + 1 )
                System.out.println( costs[ i ] );
    }

    ChainingHashTable.java
    package Graph;
    * An implementation of a HashTable using chaining for collision resolution.
    * Javadoc comments for methods specified in the Table interface have been
    * omitted.
    * This code assumes that the preconditions stated in the comments are true when
    * a method is invoked and therefore does not check the preconditions.
    public class ChainingHashTable<K, V> implements Table<K, V>
        private List<Tuple<K, V>> hashTable[]; // The hashtable
        int size; // The size of the hash table
         * Create a new hash table.
         * @param cardinality the number of elements in the domain.
        public ChainingHashTable( int cardinality )
            // Note that the cast is necessary because you cannot
            // create generic arrays in Java. This statement will
            // generate a compiler warning.
            hashTable = (LinkedList<Tuple<K, V>>[]) new LinkedList[ cardinality ];
            size = 0;
        public void put( K key, V value )
            int bucket = key.hashCode();
            // Do we need to create a new list for this bucket?
            if( hashTable[ bucket ] == null )
                hashTable[ bucket ] = new LinkedList<Tuple<K, V>>();
            hashTable[ bucket ].add( new Tuple<K, V>( key, value ) );
            size = size + 1;
        public void remove( K key )
            int bucket = key.hashCode();
            List<Tuple<K, V>> chain = hashTable[ bucket ];
            boolean found = false;
            // Is there a chain to search?
            if( chain != null )
                // Step through the chain until we fall off the end or
                // find the tuple to delete
                chain.first();
                while( !found && chain.isOnList() )
                    // If this tuple has the key we are looking for
                    // delete it and stop the loop
                    if( chain.get().getKey().equals( key ) )
                        chain.remove();
                        found = true;
                    else
                        chain.next();
        public V get( K key )
            int bucket = key.hashCode();
            List<Tuple<K, V>> chain = hashTable[ bucket ];     <----------------------------------------------------------------Line 76
            V retVal = null;
            // Is there a chain to search?
            if( chain != null )
                // Step through the chain until we find the element or
                // run out of list.
                for( chain.first(); retVal == null && chain.isOnList(); chain
                        .next() )
                    // If this tuple has the key we are looking for,
                    // extract the value
                    if( chain.get().getKey().equals( key ) )
                        retVal = chain.get().getValue();
            return retVal;
        public boolean isEmpty()
            return size == 0;
        public int size()
            return size;
        public int cardinality()
            return hashTable.length;
        public List<K> getKeys()
            List<Tuple<K, V>> chain;
            List<K> keys = new LinkedList<K>();
            // Go through each chain and create a list that contains all
            // of the keys in the table
            for( int i = 0; i < hashTable.length; i++ )
                if( hashTable[ i ] != null )
                    chain = hashTable[ i ];
                    for( chain.first(); chain.isOnList(); chain.next() )
                        keys.add( chain.get().getKey() );
            return keys;
        public List<V> getValues()
            List<Tuple<K, V>> chain;
            List<V> values = new LinkedList<V>();
            // Go through each chain and create a list that contains all
            // of the keys in the table
            for( int i = 0; i < hashTable.length; i++ )
                if( hashTable[ i ] != null )
                    chain = hashTable[ i ];
                    for( chain.first(); chain.isOnList(); chain.next() )
                        values.add( chain.get().getValue() );
            return values;
         * Return a string representation of this hash table.
         * @return a string representation of this hash table.
        public String toString()
            StringBuffer hashAsString = new StringBuffer( "" );
            List chain = null;
            for( int i = 0; i < hashTable.length; i = i + 1 )
                hashAsString.append( "h[" + i + "]==" );
                if( hashTable[ i ] != null )
                    chain = hashTable[ i ];
                    for( chain.first(); chain.isOnList(); chain.next() )
                        hashAsString.append( " " + chain.get() );
                hashAsString.append( "\n" );
            return hashAsString.toString();
    } // ChainingHashTable

  • HT1414 when I do this steps thy give me a massege says " the iphone could not be restored . An unknown error accorred (3149) " . Can I get some help ?

    when I do this steps thy give me a massege says " the iphone could not be restored . An unknown error accorred (3149) " . Can I get some help ?

    Try using DFU/Recovery mode to restore
    1. Plug iPhone 4 to computer
    2. open iTunes
    3. Turn off iPhone
    4. Press home and power button for 10 seconds
    5. Stop pressing the power. Button but keep pressing down the home button
    iTunes should say the following; "iTunes won't be able to use your iPhone until you restore your device"
    Then you'll have the option to restore and it should work, it has worked for me in the past

  • My HT BDV-N790W shows "needs network update" also my netflix doesnt load. can i get some help

    My HT BDV-N790W shows "needs network update" also my netflix doesnt load. Can i get some help, please.

    There's a lot there, so I'll start with the parts I can answer quickly.
    The "ACL found but not expected..." messages can be safely ignored, so says this article
    http://docs.info.apple.com/article.html?artnum=306925
    (look below all the "SUID" examples)
    I had changed my Desktop image earlier but when the "Installing 1 item" window came up it changed back to the back ground that you first see on your desktop after installation.
    Leopard installs updates a bit differently. If it's simply an application that does not change system files, it installs them like before, without having to restart. If the update is to the system, then you must immediately "restart," It then goes to that stars and purple screen to perform the installation. Before, it would do the installation while you still had control of the Mac and would prompt you to restart when it finished the installation. This change probably make things more secure and reliable, because you aren't allowed to do other things on the Mac while system updates are being installed.
    Please post back with the remaining point of concern.

  • How can i get some help to cancel my single app month to month and/or upgrade to full creative cloud membership? please don't tell me to follow the guidelines because i've tried several times but the options to 'switch plan' or cancel plan' are not availa

    how can i get some help to cancel my single app month to month and/or upgrade to full creative cloud membership? please don't tell me to follow the guidelines because i've tried several times but the options to 'switch plan' or cancel plan' are not available on my screen

    Keensy I have requested a member of our support team contact you directly via telephone.  Once I was able to review the correct account it appears our support team has tried multiple times to contact you.  I would recommend checking your SPAM filtering in case you need to receive additional messages from our support team.
    I did request that you be contacted via telephone. I am sorry for all of the difficulties which you have faced.
    For future viewers of this discussion when contacting our support team at Contact Customer Care it is imperative that you be logged in under the account tied to your membership/subscription.  While there is cancelation options available you will have an increased chance of being offered an opportunity to contact our support team if your account entitlement can be verified.  For this to be done you will need to be signed into the same account as your membership/subscription/registered software title.

  • How can I get some help!!!!!

    How can I get some help!!!

    Since you waited so long at your other thread for an answer, check there.
    https://discussions.apple.com/message/25113630#25113630

  • Left side touch note working - took back up with PC companions - repaired with SUS - restore of contacts etc failed - restore error - touch still not working ..... Experts can i get some help ?

    Hi Guys / Experts / Arnab,
    The left side touch of my phone screen was not working. Was not able to type numbers 1, 2 and alphabets Q, W etc.
    I repaired with SUS after taking back up with PC companion.
    While restoring the backup, i got RESTORE ERROR, and almost everything got restore except few apps and CONTACTS, which is the most important thing in a mobile .
    ---> TOUCH IS STILL NOT WORKING <----
    Guys can i expect some help here ?
    Regards,
    Sush
    Solved!
    Go to Solution.

    I see
    this might help
    http://talk.sonymobile.com/message/448070#448070
    https://github.com/nelenkov/android-backup-extractor
    SO HERE IS HOW YOU CAN RESTORE YOUR DATA:
    Get your Fullbackupdata-Contactfile.
    1.  First go to your backupfile: (C:\Users\YourUserName\Documents\Sony\Sony PC Companion\SomeNameDependsOnLanguage\
    2. Make a Copy of your backup-File (crtl+c, crtl+v)
    3. We want to change the file extension, so make sure you see it. If you don't see a .dbk at the end of your file, go in the explorer window in the left upper corner on organise -> Folder and search options. Change to view and then deselect "Hide extensions for known File types"
    4. Rename (F2) the file to backup.zip
    5. Open the zip with 7zip or something similar.
    6. Navigate to Applications\com.sonyericsson.android.contactsimport and get the fullbackupdata file which is lying in this folder.
    7. Put this file on your Desktop.
    8.Download this jar-File: http://ge.tt/64TJmne/v/0?c
    9. Put the .jarFile also on your desktop.
    10. Doubleclick the .jar-File. After a few seconds a new file with the name "restore.tar" should show up (If not check if your fullbackupdata-File really has the name "fullbackupdata" and is on the desktop)
    11. Open the .tarfile with 7Zip
    12. Navigate to restore.tar\apps\com.sonyericsson.android.contactsimport\f\
    13. Copy full_backup_vcard.vcf to the Desktop.
    If everything worked you're finished, you can open this .vcf File via Windows-contacts -> import or put it directly on your phone and import it there (open Contacts. Settingsbutton -> impot)
    If you don't trust my .jar file, you can also download the github-project follow their orders and compile it yourself.
    Don't forget to mark the Correct Answers & Helpful Answers
    "I'd rather be hated for who I am, than loved for who I am not." Kurt Cobain (1967-1994)

  • Can't get info from "about This Mac"

    I want to purchase a replacement battery for my Powerbook g4 15". For this I need the model #, which normally I can obtain by clicking on "About this mac" from the apple logo at the top of the screen. But not today.Absolutely nothing happens when I click it besides that it's highlighted in blue. I can get "Software Update", "System Preferences", "Dock", "Recent Items." I can surf the internet with Safari.
    What is going on?
    Is there another way to access this information?
    Thank you....

    Try logging out and back in.
    If no joy, log out and back in as a different user, creating one if need be.
    Joe

  • I did all the following step to enable the dictation on my ipad3 but the icon is not showing on my keyboard. can I get some help

    I did all the following step to enable the dictation on my ipad3 but the icon is not showing on my keyboard. can I get some help

    Dictation is not available on the iPad 2 (your profile says iPad 2)

  • Who can I contact about getting some help with this ongoing (several months) issue???

    I will try to make a long story at least somewhat shorter.Comcast customer for 20 years (yes - literally 20 uninterrupted years). 8 years of service at current address.Several months ago I restructure my bill - all my promotions etc had run out and I wanted to reduce my bill.  Ended up being told my customer support that I could save money by getting the "Triple Play" (I've NEVER had comcast phone service, I have my own VOIP phone solution).  They told me I didn't have to "use" the phone, just getting it hooked up would save me money.  Fine.Internet service was not supposed to have been touched / changed at all. A few days after making these changes, a large box from Comcast shows up at the house.  It has TWO cable modems in the box.  Not sure why they sent them - I already had the latest cable modem (that was capable of supporting the phone service they needed to activate). Notified comcast about the shipment.  They said don't worry about it.  Okay, I left them in the box. Tech shows up at house while I'm working.  Wife called and I talked to tech. He said he just needed to get some "numbers" off the modem to activate the phone service (I'm in the IT industry - I will assume he wanted MAC / SN#'s).  I made sure he was making no changes to the modem itself - I've got my own home network setup.  The Comcast cable modem serves as a gateway and it's in bridged mode.  Always has been. I have my own router etc. So a week or so after that visit, the modem started losing connectivity.  It happens almost EVERY DAY and it's almost always in the later afternoon (5:30-7pm EST) and sometimes late at night.  When this happens, the ONLY way to get the connection back is to unplug modem power AND the coax cable input.  It will then restart the modem and it comes back.  Simply unplugging power and restarting will not do it. After multiple hours spent with support on the phone (we activated the newest modem they sent - same issue.  Activated the other modem they sent - same issue.  In fact they weren't able to put one of them in bridged mode at all). They said a tech needed to come out. Tech comes out - checks the feed to the house.  Said there is a lot of noise in the lines.  (Please note that there is one main comcast feed to my house - it splits outside (in the comcast locked box) into two feeds which enter the house. One feed splits and runs the upstairs TV's (Digital Adapters) and the downstairs STB / DVR.  The other feed goes DIRECTLY to my cable modem. I ran those feeds myself when I moved in this house.  Never had an issue before. Cable TV never has issue - only internet.   So the tech replaced some ends on the upstairs line (Cable TV - he said that signal noise could cause issues with the internet).  I then helped the tech run a BRAND NEW line from the split at the comcast box, directly to the modem.  He said the signal / noise looked much better. Next day - same ISSUE - modem dropped connection.  Pull power and coax cable, reseat, modem restarts, signal comes back. I called support again.  They gave me an incident #.  Said they would have a "Crew supervisor" contact me, since it's obvious the problem lies outside of my home. A tech called and left a voice mail on my phone (was working when it came in, couldn't answer).  They did not leave a call back number. Called support again.  They told me a tech would call me back and was advised to leave a call back number.  That was MONDAY of last week.  Haven't heard anything.  The contact # is my cell...no missed calls. Is there another number I can call or email address so I can escalate this issue?  Having to disconnect / reconnect the modem EVERY DAY at least once is getting tiresome.   I'm in the Richmond Virginia area if it matters at all. Thanks.

    ctandc-
    I am so sorry for the delay! I am sending you a private message so that we can discuss your billing concerns more freely.
    At the top of each Forum page, you will see a small gray envelope icon. This icon will have a number next to it if you have any new messages waiting. To open a PM to read it, double click on the envelope. If you click on the white envelope a window will open with tabs for your Private Message Inbox, Sent Messages, Friends, Ignored Users, and Compose new Message. You can also access this area by clicking on the Username in a Thread or post. By default, Private Messages are enabled. You can disable this feature in My Settings>Preferences> Private Messenger.

  • I just bought and installed mountain lion, and I can't get to sign in to hotmail.Can I get some help please. Thanks.

    I just bought and installed mountain lion, and I can't get to sign in to hotmail after several trials. I need help please. Thanks.

    so its in a forum, which I didn't stumble upon because it wasn't anywhere in the adobe troubleshooting steps for Windows 8 that automatically came up for me when I clicked that I couldn't see the test flash movie on their site. I guess if I spent another half a day googling I might have found it.
    BTW, unchecking Active X filtering in IE10, was NOT the fix. I had to go into the security tab, and change the custom active X setting I listed above. So this link you provided which mentions unchecking Active X filtering was not the fix that worked in my scenario.

  • Can I get some help from a live person?

    thelman81312280 I have followed the instructions for installing flash player 15 times and it is still not installed. How can I get a live person to help me

    Hi Thelma,
    The user forums are a peer-to-peer forum mainly used by users to help each other, while staff does participate, it is not our primary duty.  As such, you can't possibly expect a response within 2 minutes of posting in the forums.  In addition, Flash Player is a free product and Adobe does not provide support via any other channel.
    With that said, you've provided no information for anyone to assist you. Please Read Before Posting: How To Get A Useful Answer To Your Question.  Once you provide detailed information on your issue, we'll try to assit
    Maria

  • Can I get some help here bout Macbook?

    Iam a newbie to apple..
    I'm wondering how do a MACBook work
    Can I use Macbook's Tiger OS X without register or pay for a membership?

    Tiger is the operating system. It comes loaded on your macbook, with discs to reinstall it should you need or want to. You don't have to register or use .mac to take full advantage of your macbook. I chose not to join, so I can't really tell you all that .mac offers, but I'm sure that while it might be enjoyable and useful, it's not necessary.

  • Can I get some help with CF8 and Unix from this forum?

    I did my dev in my local machine running windowsXP and CF8
    In prod. environment, my CF8 runs in Unix and I'm not familiar with Unix at all.
    My manager is out for awhile and I want to do this if I could without waiting for him because in windows it is very simple.
    Here is what I did in windows and I think I should do the same in unix but unfortunately I don't know how:
    In Windows environment I have done the following successfully and easy:
    1. installed/moved a .exe file in 2 folders: 1. in cfx folder under Coldfusion8 folder and
                                                                2. and again in CFClasses folder under WEB-INF folder
    2. Then in CF8 administrator I went to SERVER SETTINGS >> Java and JVM >> under ColdFusion Class Path, I put: c:\Coldfusion8\cfx\cfx_myexe.jar >> submit
    3. Under CFX Tags >> clicked REGISTER Java CFX >> I put: cfx_myexe in Tag Name and the same in Class Name  >>submit
    Then when I go to my application, everything work as a charm!
    How can I do these things in Unix?
    When I logged into CF server in unix using my FTP FileZilla, I immediately see /space/users/www , so I'm in the root directory. I can't see anything above this directory
    In windows, CFX is found under ColdFusion8 folder AND cfclasses is found under WEB-INF folder like this:
    C:/ColdFusion8/www/WEB-INF/cfclasses
    All my CF files for the application are on C:/Inetpub/www/myfolder/
    So my questions are:
    1. How can I access point 1 using my FTP to move my exe file to the right folders
    2. Since I don't have CF administrator interface with Unix, how can I do point 2 and 3 above????
    I have searched on this forum if someone had this problem in the past and also googled it but I got no result.

    1)  If the account you use to FTP to the site does not give you permissions to the ColdFusion instlation directories, you will need to ask permission from whomever in your organization provides those permissions.
    2) You would run the same ColdFusion administrator tool.  It is usually located at yourwebsite-domain/cfide/administrator/
    If it is not located at this location, you need to ask whomever controls your ColdFusion server where it is located and how you should access it.
    In otherwords, these are not general problems that we can help you with much.  These are specific problems dealing with your organizaiton and how it has configured its systems and network.

Maybe you are looking for

  • Error message when starting FCE HD 3.5

    Just starting to use FCE, and on the third day (today) I'm now getting an error message ("Unable to locate the following external device, Apple FireWire NTSC (720x480") on startup. I click on "Continue", then FCE often crashes (without Report screen)

  • Podcasts menu not showing up in Devices

    When I connect my iTouch (2nd gen) to itunes 11, the dropdown menu does not include the Podcasts option. How can I view this menu item so that I can manage (delete) the podcasts on my ipod? They won't show up anywhere else.

  • Cant connect my iphone to itunes

    Hye everyone..I. bought my iphone 5s last February 2014..there was no problem when I want to connect my iphone to itunes using my windows 8 laptop..But today,when I tried to connect my iphone and launch itunes,it says itunes cannot connect to iphone.

  • 3G phone discharges when computer shuts down?

    I have a 3G iPhone that is synched with my desktop G5 system. I use the supplied cable that's plugged into the front panel of the G5. When the G5 shuts down for the night the iPhone, which had been charged completely at that time, is about 2/3rds cha

  • Creating a new database using an MDF file

    My database saves as MDF. I want to know what are the steps to restore or create a new database using a MDF file? I tried to restore as usual but it shows an error. Please help.