Resource sharing

What is meant by Pool takes Precedence and Sharer takes precedence. If Please explain me with an example.
Regards,
Shiv 
Sivakumar.G (Project Management Consultant)

I personally would not recommend using Sharer tasks precedence as it can lead to a battle among Project Managers.  Taking the same example above: Mary is a resource assigned to multiple projects and multiple assignments.  She talks to Alan (PM)
and tells him that she is going to take the first week in March off.  Alan looks at his schedule and Mary is not assigned to any tasks that week.  He says okay and updates Mary's working calendar with the week of leave.
Brian opens his project and see that a number of his tasks have been moved.  He spends quite a bit of time and finally figures out that Mary's calendar has been changed and the assignments for Mary in his project have been moved.  He goes to Mary's
calendar and removes her week of leave.  His schedule is now fine.  Two days later, Alan notices that Mary's non-working time is gone.  Thinking he has done something incorrectly, he puts the non-working time back.
I think you can guess what happens next time Brian opens his project file.

Similar Messages

  • Cross-origin resource sharing (CORS) does not work in Firefox 13.0.1 or 6.0.2

    I have a simple Java HttpServlet and a simple JSP page. They are both served by a WebSphere Application Server at port 80 on my local host. I have created a TCP/IP Monitor at port 8081 in
    Eclipse IDE so as to create a second origin. The protocol output further down comes from this monitor. This should work equally well on a simple Tomcat server.
    When I perform the cross-origin resource sharing test, I see that all of the correct TCP data is exchanged between Firefox and the web server (i.e. HTTP OPTIONS and its response followed by an HTTP POST and its response) but the data in the body of the POST response is never passed to the XMLHttpRequest javascript object's responseText or responseXML variables and I get a status equal to 0. If I click the button while pressing the keyboard control key then the test will work as it will not be performed as a cross-origin request.
    Here are all of the files used in this test:
    Servlet Cors.java
    <pre><nowiki>--------------------------------------------------------------------------------------
    package example.cors;
    import java.io.IOException;
    import java.util.Enumeration;
    import javax.servlet.Servlet;
    import javax.servlet.ServletConfig;
    import javax.servlet.ServletException;
    import javax.servlet.http.HttpServlet;
    import javax.servlet.http.HttpServletRequest;
    import javax.servlet.http.HttpServletResponse;
    * Servlet implementation class Cors
    public class Cors extends HttpServlet {
    private static final long serialVersionUID = 1L;
    private static final String APPLICATION_XML_VALUE = "application/xml";
    * @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response)
    protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
    doPost(request, response); // do the same as on the post
    * @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response)
    protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
    response.setBufferSize(1024);
    response.setContentType(APPLICATION_XML_VALUE);
    response.setStatus(HttpServletResponse.SC_OK);
    String xml="<?xml version=\"1.0\"?>\n<hello>This is a wrapped message</hello>";
    response.setContentLength(xml.length());
    response.getWriter().append(xml);
    response.getWriter().close();
    * @see HttpServlet#doOptions(HttpServletRequest, HttpServletResponse)
    @SuppressWarnings("unchecked")
    protected void doOptions(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
    Enumeration<String> headers=request.getHeaders("Origin");
    StringBuffer sb=new StringBuffer();
    while (headers.hasMoreElements()) {
    String o=headers.nextElement();
    if (sb.length()!=0) sb.append(", ");
    System.err.println("Origin= "+o);
    sb.append(o);
    response.addHeader("Access-Control-Allow-Origin", sb.toString());
    response.addHeader("Access-Control-Allow-Methods","POST, GET, OPTIONS");
    sb=new StringBuffer();
    headers=request.getHeaders("Access-Control-Request-Headers");
    while (headers.hasMoreElements()) {
    String o=headers.nextElement();
    if (sb.length()!=0) sb.append(", ");
    System.err.println("Access-Control-Request-Headers= "+o);
    sb.append(o);
    response.addHeader("Access-Control-Allow-Headers", sb.toString().toUpperCase());
    response.addHeader("Access-Control-Max-Age", Integer.toString(60*60)); // 1 hour
    response.addHeader("Content-Type","text/plain");
    response.addHeader("Allow", "GET, HEAD, POST, PUT, DELETE, TRACE, OPTIONS");
    response.getWriter().print("");
    And a simple JSP page test.jsp:
    <%@ page language="java" contentType="text/html; charset=ISO-8859-1"
    pageEncoding="ISO-8859-1"%>
    <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
    <html>
    <head>
    <%
    String url ="http://localhost:8081/cors/ping";
    String url_ctrl="http://localhost/cors/ping";
    %>
    <meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
    <title>Test CORS</title>
    <script type="text/javascript">
    var invocation;
    var method='POST';
    var body = "<?xml version=\"1.0\" encoding=\"UTF-8\" standalone=\"yes\"?><hello>Today</hello>";
    var buttontest2_label="Direct AJAX call";
    function callOtherDomain(event){
    invocation = new XMLHttpRequest();
    if(invocation) {
    var resultNode = document.getElementById("buttonResultNode");
    var resultMessage = document.getElementById("buttonMessageNode");
    resultNode.innerHTML = "";
    document.getElementById("buttontest2").value="Waiting response...";
    var url
    if (event.ctrlKey) url="<%=url_ctrl%>";
    else url="<%=url%>";
    resultMessage.innerHTML = "Sending "+method+" to URL: "+url;
    invocation.open(method, url, true);
    // invocation.withCredentials = "true";
    invocation.setRequestHeader('X-PINGOTHER', 'pingpong');
    invocation.setRequestHeader('Content-Type', 'application/xml');
    invocation.setRequestHeader('X-Requested-With', 'XMLHttpRequest');
    invocation.onerror = function(errorObject) {
    display_progress(resultMessage, "***** error occured=" +errorObject);
    invocation.onreadystatechange = function() {
    display_progress(resultMessage, "onreadystatechange="+invocation.readyState+", status="+invocation.status+", statusText="+invocation.statusText);
    if(invocation.readyState == 4){
    document.getElementById("buttontest2").value=buttontest2_label;
    display_progress(resultMessage, "responseText="+invocation.responseText);
    resultNode.innerHTML = "Response from web service='"+invocation.responseText+"'";
    invocation.send(body);
    function display_progress(node, message) {
    node.innerHTML = node.innerHTML + "<br>" + message;
    </script>
    </head>
    <body>
    <p>The button will create a cross site request (Use the control key to disable this, i.e. no cross site request)</p>
    <p><input type="button" id="buttontest2" onclick="callOtherDomain(event)" name="buttontest2" value="Waiting for page load..."></p>
    <p id="buttonMessageNode"></p>
    <p id="buttonResultNode"></p>
    <script type="text/javascript">
    document.getElementById("buttontest2").value=buttontest2_label;
    </script>
    </body>
    </html>
    When I click on the Direct AJAX call button, I get the following output on my page:
    The button will create a cross site request (Use the control key to disable this, i.e. no cross site request)
    Sending POST to URL: http://localhost:8081/cors/ping
    onreadystatechange=2, status=0, statusText=
    onreadystatechange=4, status=0, statusText=
    responseText=
    ***** error occured=[object ProgressEvent]
    Response from web service=''
    Here is the HTTP traffic produced:
    HTTP REQUEST
    OPTIONS /cors/ping HTTP/1.1
    Host: localhost:8081
    User-Agent: Mozilla/5.0 (Windows NT 5.1; rv:13.0) Gecko/20100101 Firefox/13.0.1
    Accept: text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8
    Accept-Language: en-us,en;q=0.5
    Accept-Encoding: gzip, deflate
    Connection: keep-alive
    Origin: http://localhost
    Access-Control-Request-Method: POST
    Access-Control-Request-Headers: content-type,x-pingother,x-requested-with
    Pragma: no-cache
    Cache-Control: no-cache
    POST /cors/ping HTTP/1.1
    Host: localhost:8081
    User-Agent: Mozilla/5.0 (Windows NT 5.1; rv:13.0) Gecko/20100101 Firefox/13.0.1
    Accept: text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8
    Accept-Language: en-us,en;q=0.5
    Accept-Encoding: gzip, deflate
    Connection: keep-alive
    X-PINGOTHER: pingpong
    Content-Type: application/xml; charset=UTF-8
    X-Requested-With: XMLHttpRequest
    Referer: http://localhost/cors/client/test.jsp
    Content-Length: 75
    Origin: http://localhost
    Pragma: no-cache
    Cache-Control: no-cache
    <?xml version="1.0" encoding="UTF-8" standalone="yes"?><hello>Today</hello>
    HTTP RESPONSE
    HTTP/1.1 200 OK
    Access-Control-Allow-Origin: http://localhost
    Access-Control-Allow-Methods: POST, GET, OPTIONS
    Access-Control-Allow-Headers: CONTENT-TYPE,X-PINGOTHER,X-REQUESTED-WITH
    Access-Control-Max-Age: 3600
    Content-Type: text/plain;charset=ISO-8859-1
    Allow: GET, HEAD, POST, PUT, DELETE, TRACE, OPTIONS
    Content-Language: en-CA
    Content-Length: 0
    Date: Wed, 11 Jul 2012 17:50:10 GMT
    Server: WebSphere Application Server/7.0
    HTTP/1.1 200 OK
    Content-Type: application/xml
    Content-Length: 62
    Content-Language: en-CA
    Date: Wed, 11 Jul 2012 17:50:10 GMT
    Server: WebSphere Application Server/7.0
    <?xml version="1.0"?>
    <hello>This is a wrapped message</hello>
    --------------------------------------------------------------------------------------</nowiki></pre>

    No errors in error console. No effect using *. I tried using the dns name of my localhost both in the Firefox URL and in the javascript and I get exactly the same. I have spent a huge amount of time looking into this issue.
    One thing I noticed is that if I use the examples on the internet (http://arunranga.com/examples/access-control/preflightInvocation.html or http://saltybeagle.com/cors/) they work in the same browser. These examples however, are accessed through HTTP proxies.
    I am wondering if the issue has to do with using the same hostname just with different ports.

  • Running data at different rates within a SCTL for resource sharing

    I have a design that contains several single cycle timed loops (SCTL):
    (40MHz SCTL) -> (20MHz SCTL) -> (40MHz SCTL) -> (10MHz SCTL)
    The first 2 SCTLs are decimation filters so that the data coming out of the 20MHz SCTL is
    at a 10MHz sampling rate.  The 2ns 40MHz SCTL is filter that is 4X resource
    shared so that I can use the available dsp48E slices.  I'm using target-scoped FIFOs to
    pass the data between the loops.  In simulation, I have the timeout set to -1 so that it reads
    from the FIFO whenever there is data available.
    When I run the simulation, I expect/want to see my control counter running 4 times faster
    than my incoming data.  I thought that since the data was written into the target-scoped
    FIFO at a 10MHz rate and the control counter is in the 40MHz SCTL, I would see the
    behavior I wanted:
        X     a     X     b      X      c     X     d     X  <- data from FIFO
        X0X1X2X3X0X1X2X3X0X1X2X3X0X1X2X3X  <- modulo-3 counter
    Instead I see the data and counter essentially running at the same rate:
        X1X2X3X4X5X6X7X8X9XaXbXcXdXeXf X0X    <-data from FIFO
        X0X1X2X3X0X1X2X3X0X1X2X3X0X1X2X3X    <-modulo-3 counter
    Also the iteration counter for the SCTL runs at the same rate which seems to indicate that the
    loop only executes when data is pulled from the FIFO.   I was expecting the iteration counter
    to be at 3 before the second sample was read from the FIFO and at 7 before the third sample
    was read from the FIFO. I'm guessing that the simulator is event driven.
    I have a couple of questions:
    1. How can I  get the behavior I'm looking for?
    2. If not, can I expect the behavior I want if I run this on the hardware?

    update:
    NI support suggested using the FIFO timeout signal to determine when the data is valid
    coming out of the FIFO.  I was using a -1 on the FIFO read to read only when a sample
    was available.  NI support said to use a 0 and then gate the data based on the timeout
    signal.  The behavior of the design changed, but still did not give me the timing I was
    expecting.  Instead of seeing my counter update on every new sample, I see the SCTL
    "free running"  It's difficult to determine if the counter is behaving properly, but I do see it
    running faster.  The problem is that the SCTL seems to be running much faster was well.
    Using the -1 on the FIFO read I would see > 262K samples written out for every 1000 in.
    Using the 0 on the FIFO read and gating the data based on the timeout signal, I see
    >60K samples for every 1000 read in. I'm expecting 250 samples out for every 1000 in.
    Can someone tell me what controls the behavior (in terms of execution0 of the SCTL?  It
    seems like it is event driven, but I need the design to be clock or cycle driven for both
    simulation and execution of the hardware.
    Regards,

  • How to enable resource sharing with complex AEBS setup

    I have a complex AEBS + Netgear network configuration that I am trying to enable resource sharing on. The Netgear router is necessary because it provides excellent per-user parental controls and content filtering that the AEBS lacks. The setup is operational (network connectivity works as expected), but I cannot figure out how to enable cross-network resource visibility and sharing.
    Here is the network configuration:
    |Vz Fios PPoEE |
    |
    v
    |___
    |AEBS|
    | __Mac Mini (wireless)
    | __AppleTV (wireless)
    | __Wii (wireless)
    | __MBPC2Duo (wireless)
    | __WinXp PC1 (wired)
    |
    v
    |______
    |Netgear|
    | __WinXP PC2/Printer (wired)
    | __WinXp PC3 (wired)
    | __iBook (wireless)
    | __Vista Laptop1 (wireless)
    | __Vista Laptop2 (wireless)
    The Mini, AppleTV, Wii and MBPC2Duo all connect wirelessly with the AEBS. The Netgear router is wired to the AEBS. This in turn has 2 wired clients and three wireless clients as illustrated.
    The Netgear router receives an IP address assignment from the AEBS (in the 10.0.1.x range) via DHCP and in turn assigns IP addresses (in the 192.168.1.x range) to attached clients via DHCP
    The setup is operational and operates flawlessly --network-wise. However, I now need to enable resource sharing as follows:
    1) Setup the Mini as the media hub, configured to allow:
    a. storage of all iTunes, iPhoto, iMovie and garage band content to an attached external hard drive,
    b. sharing of content on the Mini with iTunes on each computer (Macs and Pcs) and the AppleTV
    2) Share the printer attached to Windows XP PC2 with all computers (Macs and PCs)
    Questions:
    1. Is this possible with this network configuration?
    2. If so, how would I configure the relevant elements?
    3. Is it better to attach the external media storage to the AEBS vs attaching it to the Mini?
    Thanks!

    Thanks Tesserax. After some digging I was able to find bridge mode config instructions for the Netgear router.
    Follow-up question:
    Given my desire to centralize media access via the Mac Mini, what is the best way to set up my media storage device (320G HD)?
    I see the following options:
    A. NAS device via USB 2.0 connection to the AEBS, or
    B. Supplemental hard drive on the Mac Mini via USB 2.0 or Firewire.
    Thoughts/suggestions?
    Thanks!

  • Project 2010 Resource Sharing

    I currently have a Project set up that includes multiple sub-projects. I want to use one resource pool for all the sub-projects but I am having trouble getting this to work. how can this be achieved?

    N.Isaac,
    can you be a little more specicifc as to what is the method you are employing and the trouble you are experiencing?
    In order to use one resource pool, you need to set up a Shared Resource Pool, and use the same pool across all sub-projects.
    here is some guidance on how to do it: https://support.office.microsoft.com/en-us/article/Create-and-share-a-resource-pool-64a2416e-b811-4ddf-b039-e0347e233581?CorrelationId=552b031b-6431-4a81-9d7c-c38b3735fae1&ui=en-US&rs=en-US&ad=US
    Cheers,
    Prasanna Adavi, Project MVP
    Blog:
      Podcast:
       Twitter:   
    LinkedIn:
      

  • BOM Resources Sharing across organization

    Frnds
    My Client is in 12.1.3 , Is there any set up in Oracle manufacturing (BOM, WIP, INV) , which can help in sharing Resources (machine. Human) across Organization
    with required accounting too  ??
    e.g
    Inventory organization – INV1 and INV2
    now if any discrete job in INV1 or INV2 needs any resource then it should be issued from common resource organization. Also that resource accounting will be done in that specific balancing segment other than balancing segments specific to inventory or WIP valuation  accounting
    Any help would be a great help
    Regards
    Abhi

    What is the version of apps you are using? Fact: in R12, for average costing organizations, if you refer original order line to RMA the cost of return is same as original order line. also there are some more features that relate to the revenue and COGS recognition.
    That apart we may have these options:
    1. Make branch warehouse organization as standard cost. Use the cost as of the start of the year. Now when you return the goods into this org you always cost at standard. At end of the year, you update your standard cost to be equal to the average cost of new item at the time of the year. Depending on whether your average cost is higher or lower you will have increase or decrease in inventory value (hence other account).
    2.Use cost hooks creatively (have to test this): Cost manager always checks whether cost hooks are used or not (there are two types one for cost and one for accounting). In the accounting one, if it returns -1 means hook is not used (I guess). So have a piece of code in there that inserts record into mtl_transactions_interface of branch organization. The transaction type you use here is average cost update (even if you have no quantity you can do this). Call the online transaction manager right after that to make it completely online and still return -1. I will confirm after testing this.
    3. If 99% of the times the machines are are new, can you make Branch as Subinventory in that A Organization rather than different org?
    4. I see a distant possibility of using order line workflow. Is this branch warehouse only for returns? If that is the case do you refer the original line Id to the RMAs? But the logic remains the same : Using transaction interface for the average cost update.
    5.Your idea is also a great one. Why don't you automate that same thing in the order line workflow. Under certain conditions automatically perform inter org transfer to branch as soon you receive into Org A using transaction interface.
    Thanks
    Nagamohan

  • OSB: Resource sharing among multiple configuration project

    Hi,
    Is there any way to share the resources among multiple configuration project in OSB 11g? Please provide any solution for this.
    Regards,
    Rakesh Ranjan

    Sharing resource across projects in OSB11g
    Regards,
    Anuj

  • Design - Domain Resource Sharing and Privacy

    Our organization would like to provide an environment where shared core services are housed in a root domain with several client domains having access to these core services. 
    We would also like to provide email, file, and other services within separate client domains, but maintain privacy of user lists, email address lists, etc. between these client domains. 
    Client2 users should not be able to see the users’ names, accounts, etc. or enumerate address lists, attributes, or groups that pertain to Client1 domain (and vice versa). 
    In a nutshell, we’d like to shield all visibility of other client domains between each other but still be able to manage this as one directory. 
    Is one forest possible (figure 1), or are we relegated to having separate forests (figure 2) with external trusts linked to the core domain?

    Hi Doug,
    Since a two-way transitive trust will be created if we set up a new domain in one forest, as you mentioned, you will need to deny many permissions that users already have in the forest cautiously and thoroughly, and it will not
    be a very simple task, because these domains aren’t supposed to trust each other.
    Therefore, I agree with Paul, you need to set up multiple forests, and non-transitive trust, which will make things much easier.
    Best Regards,
    Amy

  • NM-HDV DSP resource sharing

    I have a NM-HDV module with two PVDM-16 modules and a VWIC-1MFT installed in a 2811. I have a VIC2-2FXO card that I need to install into one of the HWIC slots. Is there any way that I can share the DSP resources from the NM-HDV for the new FXO card or do I have to install new PVDM2 dsp modules in the 2811?

    Can we put PVDM2-64 on NM-HDV network module ?
    Because we are using NM-HDV module with PVDM12, we want to add PVDM2-64 on this module. will it possible?
    Regards,

  • Domain Resource Sharing and Privacy

    Our organization would like to provide an environment where shared core services are housed in a root domain with several client domains having access to these core services.  We would also like to provide email, file, and other services within separate
    client domains, but maintain privacy of user lists, email address lists, etc. between these client domains.  Client2 users should not be able to see the users’ names, accounts, etc. or enumerate address lists, attributes, or groups that pertain to Client1
    domain (and vice versa).  In a nutshell, we’d like to shield all visibility of other client domains between each other but still be able to manage this as one directory.  Is one forest possible (figure 1), or are we relegated to having separate forests
    (figure 2) with external trusts linked to the core domain?

    Hi Doug,
    Since a two-way transitive trust will be created if we set up a new domain in one forest, as you mentioned, you will need to deny many permissions that users already have in the forest cautiously and thoroughly, and it will not
    be a very simple task, because these domains aren’t supposed to trust each other.
    Therefore, I agree with Paul, you need to set up multiple forests, and non-transitive trust, which will make things much easier.
    Best Regards,
    Amy

  • SCVMM Resource sharing

    Hi there,
    I have a question that i just can't seem to get an answer from the SCVMM documentation.
    If i implement SCVMM 2012 R2 in my infrastructure, and i have say 10 hosts, each with it's own unique set of ram, cpu, etc, and then i have a virtual machine that requires more physical resources than any individual host, can SCVMM give that machine resources
    from multiple hosts? (ex: Can i get 8GB of ram from 1 host, 2GB from host 2 and still work seemlesly? )

    There is no current hypervisor that can give a VM resources that reside across multiple physical servers.
    That would be a pretty nifty trick that would be considered evolutionary in the hypervisor world.
    SCVMM will look at all of your hosts during placement and not consider hosts that cannot support the requirements of the VM.  So you could have all hosts, or no hosts that can support the VM.
    Brian Ehlert
    http://ITProctology.blogspot.com
    Learn. Apply. Repeat.

  • Resources sharing

    Hi
    Which is the better manner to share folders and printers from Imac and Windows PC and vice versa ?
    Thanks in advance

    Many good examples out there, here is one by googling:
    https://voice411.wordpress.com/2011/04/12/media-resources/
    I suggest reading CUCM SRND and CUCM System Guide to understand the concepts:
    http://www.cisco.com/c/en/us/td/docs/voice_ip_comm/cucm/srnd/collab10/collab10/media.html
    http://www.cisco.com/c/en/us/td/docs/voice_ip_comm/cucm/admin/10_0_1/ccmsys/CUCM_BK_SE5FCFB6_00_cucm-system-guide-100/CUCM_BK_SE5FCFB6_00_cucm-system-guide-100_chapter_010110.html

  • Media resources sharing

    Hi,
    Due to some reason i need to register xcode, conferece & MTP resources of gateway in Call Manager. Now, ip phones on this site is registered with CME in same gateway.
    All the supplement services, like call transfer, hold & froward dont work untill i remove/unregister media resources in cucm.
    Any suggestion to utilizes MR in both places.

    Many good examples out there, here is one by googling:
    https://voice411.wordpress.com/2011/04/12/media-resources/
    I suggest reading CUCM SRND and CUCM System Guide to understand the concepts:
    http://www.cisco.com/c/en/us/td/docs/voice_ip_comm/cucm/srnd/collab10/collab10/media.html
    http://www.cisco.com/c/en/us/td/docs/voice_ip_comm/cucm/admin/10_0_1/ccmsys/CUCM_BK_SE5FCFB6_00_cucm-system-guide-100/CUCM_BK_SE5FCFB6_00_cucm-system-guide-100_chapter_010110.html

  • Resource sharing between companies

    We have setup cross charge and intercompany billing for this scenario: company has 2 OU: US and Canada. And employee of the US unit is performing work on a project owned by the Canada OU. We have enabled the project for cross charge and the labor is entered through the a US responsibility. Then the transactions are not visible in the Canada responsibility. Why is that? Shouldn't the transactions be visible in Canada expenditure inquiry screen? We are able to generate revenue and invoice on these transactions in the Canada responsibility, just not view them in Canada (receiver) expenditure inquiry? Are we missing something in the setup??
    Thanks!

    Hi,
    Please try checking under the below navigation.
    Expenditures-->Expenditure Inquiry-->All ( The Cross charge transactions will Not be available under Expenditure Inquiry-->Project Tab)
    Please also review the following document on Cross Charge.
    White Paper On Cross-Charge/Borrowed-Lent/InterCompany Processing In Projects (Doc ID 1351653.1)
    Thanks,
    Venkat

  • Auto-mapping of shared mailboxes in a resource forest scenario

    In a resource forest scenario you assign full access to a shared mailbox using:
    Add-MailboxPermission -Identity SharedMailbox -User AccountForestDomain\UserID -AccessRights FullAccess
    This provides the user in the account forest full access, but it will NOT auto-map the shared mailbox in Outlook.
    If you use the command:
    Add-MailboxPermission -Identity SharedMailbox -User UserID -AccessRights FullAccess
    and UserID is the disabled account of the linked mailbox in the resource forest then the user in the account forest does not have the necessary permission to
    open the mailbox, but the auto-mapping of the mailbox in Outlook works.
    You have to use both commands to have the auto-mapping feature and have access to the shared mailbox.
    This looks like another issue of the auto-mapping feature. The intention of the feature is good, but the way it was implemented can be improved.
    How do you configure full access to shared mailboxes in a resource forest scenario?

    Hi J-H,
    Because i don’t have such a lab environment, so I am unable to do a test.
    Now let’s separate the issue.
    1. The first issue is
    [email protected]
    unable to auto configure outlook profile.
    I suggest you
    changing the user’s attributes in the account forest, does it work?
     2. The second issue is
    [email protected] unable to open a shared mailbox in the resource
    forest.
    At first, I suggest you create a shared mailbox in resource forest with this command.
    New-Mailbox -name
    <name> -Database <Database name> -OrganizationalUnit Users –UserPrincipalName
    <UPN value, example: [email protected]> -<ResourceType: Room, Equipment or Shared>
    Managing
    Resource Mailboxes in Exchange Server 2007 (Part 1)
    Then test if you can log on the shared mailbox via outlook.
    If yes, then grant full access right for
    [email protected]
    to [email protected]
    Resource:
    Shared mailbox
    permission in resource forest with linked users
    Manage Full Access Permissions
    Please remember to click “Mark as Answer” on the post that helps you, and to click “Unmark as Answer” if a marked post does not actually answer your question. This can be beneficial to other community members reading the thread.

Maybe you are looking for