Can multiple users access apps

Just migrated to 'The Mac', need a word processor, if I have different user accounts on the iMac can they all access iWorks if I buy it?

yes, all the accounts on the computer should be able to access iwork or ms office.  if you need to use it on multiple computers there are multi-user license versions available. 
-mvimp

Similar Messages

  • Can multiple users access apps purchased from another Apple ID account?

    I have several iMacs under my control. I need to find a way to download iLife using one Apple ID, so I can have all users on each machine to also have access to the updated iLife suite.
    Is it possible for other users to access an app that was purchased from another Apple ID. If one purchases an app, does the machine allow access to all the users?
    (I know those two last sentences are redundant, but I want to make sure everyone understands problem).
    I've read countless articles on this, and can't seem to catch a break from the problem.

    If this is in a school of some type or a corporate learning center with multipple Mac computers you should contact Apple directly and ask them for help in getting a version that can be installed on multiple Mac with out have to down the updates to each computer individually.

  • Can multiple users access 1 iCloud account for file sharing?

    I work in a team where everyone has an ios or mac device. Is it possible, if i were to create a new @me.com account, for all team members to use this as their iCloud ID and therefore be able to share documents?
    Would there be a limit as to how many users could do this?

    Ok have just spoken with Apple Support and the guy didn't fill me with confidence in terms of his knowledge.
    He stated that the max users sharing a iCloud account would be 11 (random number IMO). Also that we could only share/edit docs if we were on the same network which kind of defeats the point.
    Can anyone verify or correct me on the above?

  • Can multiple users access the account and use services on different computers?

    ?

    Hi vighter,
    A subscription is tied to an invididual Adobe ID and password. The licensing agreement allows that user to access the subscription on up to two devices, but not at the same time.
    Best,
    Sara

  • ARCA Xtra  - multiple user access to SQLite DB

    Hi Guys,
    I have having trouble with multiple users accessing a SQLite DB file from a projector. They can all open and browse the data through the projector fine, but if USER1 makes a change and clicks save, and then USER2 tries access the DB it causes USER2 to get a script error.
    Is it possible to write a script which tells the user that the DB is being modified so please wait, rather than throwing them out of the projector with a script error
    Thankyou

    If you want multiple users to access a database then you would probably be better off using one designed for that purpose like MySQL.
    But, if you are set on SQLite and if you can have multiple simultaneous connections which you seem to imply you can, then the best solution I can think of is to create a Class/Script that handles all the details of polling the database for availability and handles other issues like a progress dialogue box.
    You have to treat the database as an asynchronous action - meaning you send it a query and at some latter time it sends a result back via a callback. Doing it this way greatly simplifies any database queries you want to make. As long as your queries are fairly simple like SELECT, INSERT, DELETE, etc. then the code is fairly straight forward.
    Off the top of my head I wrote something to get you started. I have not tested this code but it does compile. The following is a Parent script that you would use to interface to your database in an asynchronous manner.
    -- Asynchronus SQLite
    property  pDB  -- instance of Arca xtra
    property  pTimeoutTime  -- how long in milliseconds to ping database
    property  pPingTime  -- time between database pings.
    property  RunningQuery  -- Boolean. is a query running? true/false
    property  pTimeOb  -- timout object for polling the database
    property  pCurOperation  -- set of data for current query
    property  pPingCount  -- how many times the current query has pinged the database
    property  pAlertBox  -- a MIAW, LDM, or a Sprite that informs the user as to the progress of the query.
    on new me
      arcaregister([0000,000,0000])
      pDB = xtra("arca").new()
      Result = pDB.openDB(the moviepath & "ST_data")
      if Result.errorMsg then
        alert("Error Opening Database" & return & pDB.explainError(Result.errorMsg))
        return void
      end if
      pTimeoutTime  = 10000 
      pPingTime  = 250
      RunningQuery = false
      pAlertBox = Sprite(1000)  -- for example
      return me
    end new
    on cleanup me
      pDB.closeDB()
    end cleanup
    on executeSQL me, Query, CallbackOb, CallbackMethod, OptionalParameters
      if RunningQuery then exit -- only allow one query at a time
      RunningQuery = True
      pCurOperation = [#Query:Query, #OptionalParameters:OptionalParameters, #CallbackOb:CallbackOb, #CallbackMethod:CallbackMethod]
      pPingCount = 0
      pTimeOb = timeout().new("QueryProcessor_"&me, 1, me, #processQuery)  -- creating the timeout object here breaks the call stack, which is good.
    end executeSQL
    on processQuery me, TimeOb
      Result = pDB.executeSQL(pCurOperation.Query, pCurOperation.OptionalParameters)
      if Result.errorMsg then
        if Result.errorMsg = 5 then -- database is currently locked
          pPingCount = pPingCount + 1
          if pPingCount = 1 then  -- then inform user there will be a delay.
            pAlertBox.setMessage("Waiting for database response.")
            pAlertBox.setProgress(0)
            pAlertBox.show()
            pTimeOb.period = pPingTime
            exit
          end if
          pAlertBox.setProgress((pPingCount * pPingTime / pTimeoutTime) * 100 ) 
          if pPingCount * pPingTime = pTimeoutTime then -- timed out
            alert("Query Timed out.")
          else
            exit  -- try again in pPingTime time.
          end if
        else  -- there is some sort of database error
          alert("Database Error: " & return & pDB.explainError(Result.errorMsg))
        end if
      else  -- no query errors
        call(pCurOperation.CallbackMethod, pCurOperation.CallbackOb, Result)
      end if
      -- if the code makes it this far then we are done and need to clean things up
      if pTimeOb. objectP then
        pTimeOb.forget()
        pTimeOb = void
      end if
      pAlertBox.hide()
      RunningQuery = false
    end processQuery
    on setTimeOutTime me, MilliSecs
      pTimeoutTime = MilliSecs
    end setTimeOutTime
    on setPingTime me, MilliSecs
      pPingTime  = MilliSecs
    end setPingTime
    You then create an instance of this script on preparemovie.
    -- Movie script
    global gDB
    on prepareMovie
      gDB = script("Asynchronus SQLite").new()
      if gDB.voidP then halt -- can not connect to the database
    end
    on stopMovie
      gDB.cleanup()
    end
    Then it is simply a matter of sending your queries to the gDB object and it will send the results back to the callback handler and object that you specify. Here's a behavior that shows how simple this should be:
    -- Sample DB Behavior
    global gDB
    on mouseUp me
      Query = "select * from users"
      gDB.executeSQL(Query, me, #setQueryResult) -- string, callback object, callback handler name
    end
    on setQueryResult me, Result  -- this is the callback handler/method
      put Result
    end
    I also suggest using a MIAW or a LDM or a set of sprites as a way to inform the user of any delays in processing a query. Check the code for pAlertBox to see how I use this idea to update a progress bar. Of course you will have to create the implementation.

  • Multiple User access in ATP

    I am designing custom ATP for our client. Actually, this logic accesses batch classification data and the calculation logic also differs.
    The concern that I have is if one user (say A) creates a sales order item and runs a successful Availability check and goes on to create second sales order item. simultaneously if another user (say B) comes to create new sales order item for same material. now the ATP quantity that second user gets should be less than the quantity confirmed by user A. But both the sales order have not been saved. so how do I block the quantities confirmed by A but yet not saved.
    Is there any special method for multiple user access at runtime.

    Thanks for ur reply. it was really helpful to gain more insights in my issue.
    1. For performance-related reasons, the only time when it makes sense to set the material block with quantity transfer is when it is common for several users to work on the same material simultaneously. And in VA01 there are many parallel Sales order creation
    2.You create a sales order for a material. During the availability check, this material is blocked. After the availability check is completed, the block is removed. The quantity reserved for this transaction is recorded in the blocking table. This information can be assessed by all others who are working with this material. If you save the order, the blocked entries are cancelled. this how Material block with quantity transfer in SD works.
    The concern that I have now is how to get Blocking Tables for transaction VA01.

  • Can two users access the same bootcamp (win os) instance?

    We are two users who are using our imac and we both have own user names in mac os. I created a bootcamp partition with windows xp on it. Can both users access the same partition and create their own user spaces within xp?
    Will that work also if we use Parallel or virtual box? (access the same user data as in boot camp?)
    I would like to have the option for each user to access their windows data either through bootcamp or through the virtual tool.
    Message was edited by: gss2
    Message was edited by: gss2

    gss2 wrote:
    What do you mean Virtual box it will not run on its own partition? I have a virtual box running on my desktop and it runs just fine ...own partition?? I don't understand.
    Running on its own partition means that the installed OS has its own formatted portion (partition) of the hard drive. A virtual machine does not have its own partition. It creates a virtual partition (a file on the computer) that simulates a file system (partition). So Virtual Box, or any other virtualization software, does not run Windows, or any other OS in its own partition.

  • Can multiple PCs access one remote panel at the same time?

    I've written a program in labview 7.1 to monitor/control a labview application running in the test cell through Remote Panel. I and my coworker can remotely monitor and/or control this labview application individually. But if my coworker has the remote panel displayed on his PC and I try to get the remote panel on my PC, I get a labview error (63) as below:
    "LabVIEW:  Serial port receive buffer overflow.
    LabVIEW:  The network connection was refused by the server."
    My question is: Can multiple PCs access one remote panel at the same time?
    Thanks in advance!
    Y

    Sorry I wasn't clear. The remote panel license is separate from the number of LabVIEW development licenses. Pricing information on remote panel licenses can be found here.

  • I can no longer access apps on my new iPad that we're downloaded on old one.  Using cloud.

    I can no longer access apps on my new iPad that we're downloaded on old iPad.  Using cloud. 

    Are you trying to download them from your purchased list?  If so, make sure you are signed in with the Apple ID you used to purchase them in Settings>iTunes & App Store, and that the apps are still available for purchase in the App store.  Then you should be able to download them as explained here: Download past purchases.
    If that isn't your question, please explain further.

  • How can multiple users from different locations access my Muse website files to update them?

    We're a team, and we need to be able to work together remotely.
    How can I let another user (on the East Coast - I'm on the West coast) have access to my Muse website files so that they can work on them and make changes - but I can also work on them here?
    I've already made them an Admin in the Manage section of the live Muse website that is hosted on Business Catalyst.
    BTW, they also belong to Creative Cloud.
    Thanks!

    You need to share your .muse file with this other person.
    Muse does not currently support multiple users opening the same .muse file at the same time.
    There's lots of options for sharing a file - you could copy it up to a company network server, or email the file back and forth, or use a filesharing service like Dropbox, SendThisFile, Adobe SendNow, or Creative cloud sync, among others.
    Which one is right for you depends on the size of your file, how often you're sending the file back and forth, and personal preferences
    Whatever you choose, it's important that you DO NOT have 2 users working on the same .muse file at the same time. This can cause corruption of your .muse file. I'd also recommend frequent backups of your .muse file, as you might find that one of you clobbers a change made by the other and you want to be able to go back to your old copy of your .muse file to copy/paste some content to your latest copy of your .muse file.

  • How can multiple users edit and access same ACCESS file

    Hello,
    We have 2 access files and multiple users needs to edit and access those files.
    How can I enable mulitple access but only one user can edit rest of users are in read-only mode for one file and multiple access and edit on the another file.

    Hi,
    You should split your database in a front and backend. Then create two seperate front ends which you can distribute. If you need readonly you can opt for two options, setting the attributes of the file to read only or create a front end with read only forms.
    The last one takes a little more work but is safer than setting the attributes to read only because people can change that back themselfs.
    Maurice

  • Can multiple users on iMac running Yosemite access features, i.e., iPhone calls, using individual apple id's?

    We have a iMac that is used by 3 different people, each with a separate log-in. Under Yosemite, can the individual users access the new features of Yosemite, i.e., iPhone access,  using their individual Apple ID's?
    If yes, how? What does the sytem administrator need to do to give each user access to the features when they log-in?
    If not, then what the heck, Apple?

    Thanks for your response. I want to make sure I understand this . When installing Yosemite, it requires the apple id.  This would be the apple ID of the admin doing the install. If admin enters their Apple ID, then the functions related to their Apple ID will be the default. User B logs in. What  does he do to  set up his Apple ID to synch functions between his iPhone and the OS? I understand that if he has admin privileges, based on his account profile, his settings should not override the previous admin set up because they are separate accounts, so it is just how the other two users activate the new Yosemite features that I'm unsure about. Will this work for all new features including iCloud drive?

  • Can multiple users on one mac access Photoshop Elements?

    Hi all,
    I am considering purchasing Photoshop Elements on our family Mac, there are four user accounts, when Elements is installed is it possible for all users to access it?
    I appreciate that I will probably have to amend the users access rights through the system preferences however I wanted to make sure that there isn't any restrictions from Elements point of view.
    Thanks for anyone's help in advance.
    Chris

    Read the Adobe licence agreement. I don't understand it. Its written for lawyers, judges and jury IMO.

  • Multiple users accessing entity bean with same PK

    Hi,
    Some body please clarify the below issue.
    (EJB 1.1, WAS3.5)
    I have two app servers and two clones each clone is running in each app server.
    Stateful session bean access Entity beans to update/read record in the database.
    According to my requirement multiple users can access the same entity data (same primary key). Suppose user A created a Stateful session bean SB1 and the SB1 created Entity1 with PK1, this is happening at clone1.
    User B accessed the site and the request went to Clone2 and a new SB2 created, but the SB2 need to access the database with Same PK1.
    For the above situation, I guess container can not create a new Entity bean with PK1 because EB with PK1 is already there and it tries to allocate same EB1 with SB2, so if two requests are concurrent do the SB2 wait to get the handle of the EB1?
    Is there any way to create two Entity beans with same Primary Key at the same time but in different clone?
    Thanks,
    Sagar

    Hi,
    The concurrency level has to be set at the level of database and the database will take care of consistency & integrity of the data. So specity the concurrency level on the database connection in each appserver.

  • Can Multiple users work on the same work Repository ?

    I have master repository and work repository on one machine, can multiple developers connect andwork on the same work repository? how?

    oh Yes!
    it is v simple.
    follow the steps:-
    once master and work repository has been created on a system.U just need to know all the information supplied wen creating a login to designer.
    like user name and password of database,url,driver as well as master's repository uname and password.
    if u have the following information with you,then u can create a new login with designer provided all the above information and u will have full access to designer
    in work repository u want to connect

Maybe you are looking for

  • Viewsonic VX900 DVI boots Windows XP (via bootcamp) but not native OS X

    I'm trying to get the DVI bootup to work correctly with my Mac Mini Core Duo. I'm using a VX900 LCD. When I reboot it goes to XP (bootcamp) and runs perfectly. But when I hold down the option key (to select OS X) I get a black screen and the 'no sync

  • Mapping and transformation rules

    Hi experts,    pls tell  me what is this mapping and transformation rules in context wz filw to RFC scenario. what do u mean by transformation and transformation rules. Thanks veeru

  • How to enable my MacBook camera?

    How to enable my MacBook camera?

  • Customer Service Problem

    I don't I've ever wasted as much time in my life as i have titting with my poxy Zen MP3 player. Creative Centrale is beyond useless and all I want to to speak to someone at Customer Service (God forbid there should be phone number!!!) Anyway I've at

  • Table Control in eCATT

    Is it possible to handle table control in eCATT?