How to migrate file & printers to office 365

Hi all,
Sorry if this is a silly question but new to o365.
We're looking to put everything up in the cloud- before management will entertain the idea they need confirmation all services can be put in there.
I've looked around (perhaps not enough) for information on this. Does anyone have a link ?
thanks for your help
SIAH

Hi,
You need to retain the SID History attribute when users across domains to ensure users in the target domain can access to files during migration.
For more detailed information, please refer to the threads below:
ACL migration
http://social.technet.microsoft.com/Forums/exchange/en-US/3c75a116-6bd3-407f-a76c-0d825d4f525a/acl-migration
File server migration using FSMT 1.2 in NAS environment
http://social.technet.microsoft.com/Forums/en-US/fb4bf505-2d95-4409-9777-8fd4a1c0c471/file-server-migration-using-fsmt-12-in-nas-environment?forum=winserverfiles
In additional, you could backup registry key SYSTEM\CurrentControlSet\Services\LanmanServer\Shares to copy share permissions.
Saving and restoring existing Windows shares
http://support.microsoft.com/kb/125996
ADMT and network mapped drives
http://social.technet.microsoft.com/Forums/windowsserver/en-US/9752e31d-2f35-4d7d-ae4d-2f9fe9400bfe/admt-and-network-mapped-drives?forum=winserverDS
Regards,
Mandy
We
are trying to better understand customer views on social support experience, so your participation in this
interview project would be greatly appreciated if you have time.
Thanks for helping make community forums a great place.

Similar Messages

  • How to migrate Outlook configuration to Office 365

    As we plan our migration to Office365/Exchange Online, I am getting asked questions about the user Outlook profiles. We have users that make extensive use of categories, folder views, rules, etc. In addition, we have a custom Outlook toolbar that is part
    of our default image. Can anyone tell me if these items get migrated using the standard Office 365 migration wizard? If they don't is there a way to migrate or export/import this information?
    Thanks!
    Joe

    Hi,
    According to your description, I want know the configuration of Outlook after migrate Exchange 2010 to Exchange Online.
    If I misunderstand your concern, please do not hesitate to let me know.
    Mailbox database will be moved to Office 365, also the mailbox content. The Outlook client can use SCP and DNS record get autodiscover service, then connect to Exchange server and auto-configure Outlook profile. However, dumpster content and old message
    missing after migrate to Office 365, please refer to below link and work it out:
    https://support.microsoft.com/en-us/kb/2603594?wa=wsignin1.0
    For POP3 and IMAP account, and they may not remain the copy in Exchange server, we need to import .pst file to Exchange server. For your reference:
    https://technet.microsoft.com/en-us/library/hh781035%28v=exchg.141%29.aspx?f=255&MSPPError=-2147217396
    As client side, we can just move .pst file to new computer, then import to Outlook:
    https://support.office.com/en-ca/article/Import-Outlook-items-from-an-Outlook-Data-File-pst-431a8e9a-f99f-4d5f-ae48-ded54b3440ac
    Thanks
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact [email protected]
    Allen Wang
    TechNet Community Support

  • How to download a file version from office 365 using csom

    I need to download an older file version from office 365 and get the data into a byte array. I have no trouble downloading the latest version with File.OpenBinaryStream() and I have no trouble loading the previous file versions with File.Versions. But now
    I need to actually download an older version of the file and it seems the only way is to use File.OpenBinaryDirect. So I am creating a client context using my oAuth access token and providing the correct path, but I am getting a (401) Unauthorized
    error. Looking with Fiddler I can see that the call to OpenBinaryDirect is somehow trying to post to my file URL and the server is responding with 401.
    context = TokenHelper.GetClientContextWithAccessToken(SPHostUrl, AccessToken);
    FileInformation info = File.OpenBinaryDirect(context, "/" + _fileVersion.Url);  //throws 401
    //leading slash required otherwise ArgumentOutOfRangeException
    I have to be able to access the older file versions with my c# code -- I don't have a viable app without that ability -- any help urgently needed and greatly appreciated!

    Thank you SO much (Can't wait for the next release)!
    For anyone else who lands here, here's the code I ended up using:
    // VersionAccessUser and VersionAccessPassword are stored in web.config
    // web.Url is loaded via the clientContext
    // myVersion is the FileVersion I got from the file's Versions.GetById() method
    // probably a lot of ways to get hostUrl, it just needs to be https://yourdomain.sharepoint.com/
    // - I'm running my app from a subweb
    // I had trouble following the links to get the full MsOnlineClaimsHelper code
    // (the one on msdn.com was missing RequestBodyWriter, WSTrustFeb2005ContractClient,
    // and IWSTrustFeb2005Contract
    // so I've included the code I used here.
    string myVersionFullUrl = string.Format("{0}/{1}", web.Url, myVersion.Url);
    string userName = WebConfigurationManager.AppSettings.Get("VersionAccessUser");
    string strPassword = WebConfigurationManager.AppSettings.Get("VersionAccessPassword");
    string hostUrl = Regex.Replace(web.Url, "([^/]+//[^/]+/).*", "$1");
    MsOnlineClaimsHelper claimsHelper = new MsOnlineClaimsHelper(hostUrl, userName, strPassword);
    var client = new WebClient();
    client.Headers["Accept"] = "/";
    client.Headers.Add(HttpRequestHeader.UserAgent, "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.2; .NET CLR 1.0.3705;)");
    client.Headers.Add(HttpRequestHeader.Cookie, claimsHelper.CookieContainer.GetCookieHeader(new Uri(hostUrl)));
    var document = client.DownloadString(myVersionFullUrl);
    // These classes are needed to download old versions of files (see: http://social.msdn.microsoft.com/Forums/en-US/7746d857-d351-49cc-b2f0-496663239e02/how-to-download-a-file-version-from-office-365-using-csom?forum=sharepointdevelopment)
    // I cobbled this file from http://social.technet.microsoft.com/Forums/msonline/en-US/4e304493-7ddd-4721-8f46-cb7875078f8b/problem-logging-in-to-office-365-sharepoint-online-from-webole-hosted-in-the-cloud?forum=onlineservicessharepoint
    // and http://fredericloud.com/2011/01/11/connecting-to-sharepoint-with-claims-authentication/
    using Microsoft.IdentityModel.Protocols.WSTrust;
    using Microsoft.SharePoint.Client;
    using System;
    using System.Collections.Generic;
    using System.IO;
    using System.Linq;
    using System.Net;
    using System.Net.Security;
    using System.ServiceModel;
    using System.ServiceModel.Channels;
    using System.Text;
    using System.Web;
    using System.Xml;
    using System.Xml.Linq;
    namespace DPSiDoxAppWeb.Helpers
    /// <summary>
    /// Create a new contract to use for issue claims for the SharePoint requests
    /// </summary>
    [ServiceContract]
    public interface IWSTrustFeb2005Contract
    [OperationContract(ProtectionLevel = ProtectionLevel.EncryptAndSign,
    Action = "http://schemas.xmlsoap.org/ws/2005/02/trust/RST/Issue",
    ReplyAction = "http://schemas.xmlsoap.org/ws/2005/02/trust/RSTR/Issue",
    AsyncPattern = true)]
    IAsyncResult BeginIssue(Message request, AsyncCallback callback, object state);
    Message EndIssue(IAsyncResult asyncResult);
    /// <summary>
    /// Implement the client contract for the new type
    /// </summary>
    public class WSTrustFeb2005ContractClient : ClientBase<IWSTrustFeb2005Contract>, IWSTrustFeb2005Contract
    public WSTrustFeb2005ContractClient(Binding binding, EndpointAddress remoteAddress)
    : base(binding, remoteAddress)
    public IAsyncResult BeginIssue(Message request, AsyncCallback callback, object state)
    return Channel.BeginIssue(request, callback, state);
    public Message EndIssue(IAsyncResult asyncResult)
    return Channel.EndIssue(asyncResult);
    /// <summary>
    /// Create a class that will serialize the token into the request
    /// </summary>
    class RequestBodyWriter : BodyWriter
    readonly WSTrustRequestSerializer _serializer;
    readonly RequestSecurityToken _rst;
    /// <summary>
    /// Constructs the Body Writer.
    /// </summary>
    /// <param name="serializer">Serializer to use for serializing the rst.</param>
    /// <param name="rst">The RequestSecurityToken object to be serialized to the outgoing Message.</param>
    public RequestBodyWriter(WSTrustRequestSerializer serializer, RequestSecurityToken rst)
    : base(false)
    if (serializer == null)
    throw new ArgumentNullException("serializer");
    _serializer = serializer;
    _rst = rst;
    /// <summary>
    /// Override of the base class method. Serializes the rst to the outgoing stream.
    /// </summary>
    /// <param name="writer">Writer to which the rst should be written.</param>
    protected override void OnWriteBodyContents(XmlDictionaryWriter writer)
    _serializer.WriteXml(_rst, writer, new WSTrustSerializationContext());
    public class MsOnlineClaimsHelper
    #region Properties
    readonly string _username;
    readonly string _password;
    readonly bool _useRtfa;
    readonly Uri _host;
    CookieContainer _cachedCookieContainer = null;
    DateTime _expires = DateTime.MinValue;
    #endregion
    #region Constructors
    public MsOnlineClaimsHelper(string host, string username, string password)
    : this(new Uri(host), username, password)
    public MsOnlineClaimsHelper(Uri host, string username, string password)
    _host = host;
    _username = username;
    _password = password;
    _useRtfa = true;
    public MsOnlineClaimsHelper(Uri host, string username, string password, bool useRtfa)
    _host = host;
    _username = username;
    _password = password;
    _useRtfa = useRtfa;
    #endregion
    #region Constants
    public const string office365STS = "https://login.microsoftonline.com/extSTS.srf";
    public const string office365Login = "https://login.microsoftonline.com/login.srf";
    public const string office365Metadata = "https://nexus.microsoftonline-p.com/federationmetadata/2007-06/federationmetadata.xml";
    public const string wsse = "http://docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-secext-1.0.xsd";
    public const string wsu = "http://docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-utility-1.0.xsd";
    private const string userAgent = "Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; WOW64; Trident/5.0)";
    #endregion
    class MsoCookies
    public string FedAuth { get; set; }
    public string rtFa { get; set; }
    public DateTime Expires { get; set; }
    public Uri Host { get; set; }
    // Method used to add cookies to CSOM
    public void clientContext_ExecutingWebRequest(object sender, WebRequestEventArgs e)
    e.WebRequestExecutor.WebRequest.CookieContainer = getCookieContainer();
    //e.WebRequestExecutor.WebRequest.UserAgent = userAgent;
    // Creates or loads cached cookie container
    CookieContainer getCookieContainer()
    if (_cachedCookieContainer == null || DateTime.Now > _expires)
    // Get the SAML tokens from SPO STS (via MSO STS) using fed auth passive approach
    MsoCookies cookies = getSamlToken();
    if (cookies != null && !string.IsNullOrEmpty(cookies.FedAuth))
    // Create cookie collection with the SAML token
    _expires = cookies.Expires;
    CookieContainer cc = new CookieContainer();
    // Set the FedAuth cookie
    Cookie samlAuth = new Cookie("FedAuth", cookies.FedAuth)
    Expires = cookies.Expires,
    Path = "/",
    Secure = cookies.Host.Scheme == "https",
    HttpOnly = true,
    Domain = cookies.Host.Host
    cc.Add(samlAuth);
    if (_useRtfa)
    // Set the rtFA (sign-out) cookie, added march 2011
    Cookie rtFa = new Cookie("rtFA", cookies.rtFa)
    Expires = cookies.Expires,
    Path = "/",
    Secure = cookies.Host.Scheme == "https",
    HttpOnly = true,
    Domain = cookies.Host.Host
    cc.Add(rtFa);
    _cachedCookieContainer = cc;
    return cc;
    return null;
    return _cachedCookieContainer;
    public CookieContainer CookieContainer
    get
    if (_cachedCookieContainer == null || DateTime.Now > _expires)
    return getCookieContainer();
    return _cachedCookieContainer;
    private MsoCookies getSamlToken()
    MsoCookies ret = new MsoCookies();
    try
    var sharepointSite = new
    Wctx = office365Login,
    Wreply = _host.GetLeftPart(UriPartial.Authority) + "/_forms/default.aspx?wa=wsignin1.0"
    //get token from STS
    string stsResponse = getResponse(office365STS, sharepointSite.Wreply);
    // parse the token response
    XDocument doc = XDocument.Parse(stsResponse);
    // get the security token
    var crypt = from result in doc.Descendants()
    where result.Name == XName.Get("BinarySecurityToken", wsse)
    select result;
    // get the token expiration
    var expires = from result in doc.Descendants()
    where result.Name == XName.Get("Expires", wsu)
    select result;
    ret.Expires = Convert.ToDateTime(expires.First().Value);
    HttpWebRequest request = createRequest(sharepointSite.Wreply);
    byte[] data = Encoding.UTF8.GetBytes(crypt.FirstOrDefault().Value);
    using (Stream stream = request.GetRequestStream())
    stream.Write(data, 0, data.Length);
    stream.Close();
    using (HttpWebResponse webResponse = request.GetResponse() as HttpWebResponse)
    // Handle redirect, added may 2011 for P-subscriptions
    if (webResponse.StatusCode == HttpStatusCode.MovedPermanently)
    HttpWebRequest request2 = createRequest(webResponse.Headers["Location"]);
    using (Stream stream2 = request2.GetRequestStream())
    stream2.Write(data, 0, data.Length);
    stream2.Close();
    using (HttpWebResponse webResponse2 = request2.GetResponse() as HttpWebResponse)
    ret.FedAuth = webResponse2.Cookies["FedAuth"].Value;
    ret.rtFa = webResponse2.Cookies["rtFa"].Value;
    ret.Host = request2.RequestUri;
    else
    ret.FedAuth = webResponse.Cookies["FedAuth"].Value;
    ret.rtFa = webResponse.Cookies["rtFa"].Value;
    ret.Host = request.RequestUri;
    catch (Exception ex)
    return null;
    return ret;
    static HttpWebRequest createRequest(string url)
    HttpWebRequest request = HttpWebRequest.Create(url) as HttpWebRequest;
    request.Method = "POST";
    request.ContentType = "application/x-www-form-urlencoded";
    request.CookieContainer = new CookieContainer();
    request.AllowAutoRedirect = false; // Do NOT automatically redirect
    request.UserAgent = userAgent;
    return request;
    private string getResponse(string stsUrl, string realm)
    RequestSecurityToken rst = new RequestSecurityToken
    RequestType = WSTrustFeb2005Constants.RequestTypes.Issue,
    AppliesTo = new EndpointAddress(realm),
    KeyType = WSTrustFeb2005Constants.KeyTypes.Bearer,
    TokenType = Microsoft.IdentityModel.Tokens.SecurityTokenTypes.Saml11TokenProfile11
    WSTrustFeb2005RequestSerializer trustSerializer = new WSTrustFeb2005RequestSerializer();
    WSHttpBinding binding = new WSHttpBinding();
    binding.Security.Mode = SecurityMode.TransportWithMessageCredential;
    binding.Security.Message.ClientCredentialType = MessageCredentialType.UserName;
    binding.Security.Message.EstablishSecurityContext = false;
    binding.Security.Message.NegotiateServiceCredential = false;
    binding.Security.Transport.ClientCredentialType = HttpClientCredentialType.None;
    EndpointAddress address = new EndpointAddress(stsUrl);
    using (WSTrustFeb2005ContractClient trustClient = new WSTrustFeb2005ContractClient(binding, address))
    trustClient.ClientCredentials.UserName.UserName = _username;
    trustClient.ClientCredentials.UserName.Password = _password;
    Message response = trustClient.EndIssue(
    trustClient.BeginIssue(
    Message.CreateMessage(
    MessageVersion.Default,
    WSTrustFeb2005Constants.Actions.Issue,
    new RequestBodyWriter(trustSerializer, rst)
    null,
    null));
    trustClient.Close();
    using (XmlDictionaryReader reader = response.GetReaderAtBodyContents())
    return reader.ReadOuterXml();

  • How to add content source in office 365 ?

    How to add content source in office 365 , where I can add find Manage Content Sources page to click on New Content Source LInk

    You can't. Only sources available is what is already set up...which is SharePoint/OneDrive4B and Exchange via eDiscovery.
    Thanks,
    Mikael Svenson - Search Enthusiast
    SharePoint MVP/MCPD/P-TSP - If you find an answer useful, please up-vote it.
    http://techmikael.blogspot.com/
    Author of
    SharePoint Search Queries Explained and
    Working with FAST Search Server 2010 for SharePoint

  • How to create public group in office 365 admin panel?

    Dear Microsoft ,
      I try to create group in office 365 admin panel but in that group when i add outsider mail id eg([email protected],[email protected]) is not created ...it's showing error.Can please help me to how i create public group in office 365 ?

    Hi,
    Which error message does it show?
    Based on my research, internal users (users that have a mailbox in your organization) and external users (people that don’t have a mailbox in you organization) can be added as members of a distribution group. However, only external users
    that have been added to your organization’s address book (also known as shared contacts), can be members of a group. For information about how to add external users to your organization’s address book, see
    Create and use shared contacts.
    Hope this helps.
    Regards,
    Steve Fan
    TechNet Community Support

  • How to link Skype account with Office 365 account?

    Will someone please tell me How to link Skype account with Office 365 account? I've had world minutes for 2 months, and can't use them. All links on Skype and Office 365 have not worked or are not there. Please, please somebody help me.

    Don't waste your time brotha, you've been ripped off.

  • Migrate Exchange 2003 to Office 365

    Dear all,
    We are going to migrate Exchange 2003 to Office 365. Because of the large number of mailboxes and mail databases, we decide to build hybrid to support coexistence during the migration period.
    According to "Exchange Server Deployment Assistant" I found that we can build more Exchange 2010 for that requirement
    http://technet.microsoft.com/en-us/exdeploy2013/Checklist?state=2419-W-BwAIAAAAQAAAAAEAiFIAAAA~
    I just wonder that after deploying the Exchange 2010, can we move directly the mailboxes from Exchange 2003 to Office 365 or we need to move to Exchange 2010 first (as a "buffer") before moving to Office 365
    Thanks a lot !!!

    Hello,
    The main goal of a staged migration is to migrate Exchange on-premises servers when:
    1. You have more than 2000 mailboxes.
    2. You plan to migrate over a few weeks and months rather than in a single batch.
    3. You want to migrate to the Cloud completely and remove your on-premises Exchange deployment.
    Hybrid scenarios are useful when you do not want to remove your on-premises deployment. In some cases there is no technical possibility, it is not cost-effective etc. to move a whole organization to Office 365. In these situations you may decide that moving
    only some mailboxes to Office 365 is a good option and create a hybrid deployment.
    You need to consider all pros and cons, especially when Exchange 2003 has gone out of support lifecycle and then choose the better option for your organization.
    Hope it helps,
    Adam
    CodeTwo: Software solutions for Exchange and Office 365
    If this post helps resolve your issue, please click the "Mark as Answer" or "Helpful" button at the top of this message. By marking a post as Answered, or Helpful you help others find the answer faster.

  • Migration from 2010 to Office 365

    I'm stumped on Office 365 Small Business Premium and the migration from 2010.
    I thought that migration would be simple but I can't find any tools mentioned in the articles I read. I thought that it was supposed to be a tool found within 365 where you pull the info from the PST you keep on your desktop.
    Do I need to uninstall 2010 and only use the 365 web based email. IF I can keep both, do they sync? Does this sync with the mobile app also?
    So right now I have both installed and the users setup for 365 (the login accounts), but I don't have any thing else setup because I don't want to lose any data. I want to make sure that I do this right before I go any further.
    No I don't have exchange. Every thing is hosted by Network Solutions and we use pop3 to pull the email.

    Hi,
    some options/suggestions are here:
    http://community.office365.com/en-us/f/158/p/230137/714965.aspx?ss=87fa5dc5-cfde-49c9-ab80-294fc73ccb85#714965
    http://community.office365.com/en-us/p/helpcenter.aspx?hcs=8b0e9324-aae1-4a96-a035-619cabe78397#ESKU-Admin-Mail
    Don
    (Please take a moment to "Vote as Helpful" and/or "Mark as Answer", where applicable.
    This helps the community, keeps the forums tidy, and recognises useful contributions. Thanks!)
    OK. I downloaded those files and they didn't do me any good. The one which would run was asking for a central computer, I'm assuming an email server, which we don't use.
    We use pop3 through Network Solutions. We have Outlook on each desktop and the folders are local.
    I am reading up on some other stuff on migration. I'll let  you know how it goes.

  • How to add video tag in office 365 master page?

    Hi All,
    I have created a branding in Office 365. Now I want to add video in the background of my master page.
    How should I achieve It. the <Video></Video> is not working. It is giving error to me.
    Any option how to add videos in background of master page in Office 365?
    Thanks in Advance.

    Hi,
    From your description, my understanding is that you want to use video tag in your Office 365.
    You should check the video type in your issue, video tag only support mp4 file which you could refer to this article:http://www.w3schools.com/tags/tag_video.asp.
    In addition, you could refer to these articles:
    Video Player for SharePoint 2013 and Office 365
    http://sharepointroot.com/2014/01/22/video-player-for-sharepoint-2013-and-office-365-2/
    how to play a video in sharepoint 2013 foundation version
    https://social.msdn.microsoft.com/Forums/sharepoint/en-US/2818becf-e132-4b9a-b50f-8990fa28cf88/how-to-play-a-video-in-sharepoint-2013-foundation-version?forum=appsforsharepoint.
    Best Regards
    Vincent Han
    TechNet Community Support

  • How to remove external contact from office 365 Global Address List

    Try this below.
    $file1 = "file1.csv"
    $file2 = "file2.csv"
    $f2Names = import-csv $file2 | select -ExpandProperty Name
    Import-Csv $file1 |
    Where { $f2Names -notcontains $_.Name }

    We have an office 365 online service.  We have successfully imported and updated via csv and powershell scripts as part of managing external contacts.
    how can we delete using the same structure?  CSV file and powershell scripts
    This topic first appeared in the Spiceworks Community

  • How to uninstall unwanted programs on Office 365 ProPlus

    Dear Sir,
    I use Windows 8.1 and use Office 365 ProPlus. When I install it, the Office is streamed and installed as a whole in my computer.
    How can I remove the unwanted program (like Access) ?
    Thanks,
    Joe.

    The setup.exe version is 15.0.4623.1001
    I also use your configuration's content to test, but it still get the same error.
    It refers to below link :
    http://support.microsoft.com/kb/2696484/en-us
    As a test I tried this:
    <Configuration>
    <Add SourcePath="" OfficeClientEdition="32" >
    <Product ID="VisioProRetail">
      <Language ID="en-us" />
    <ExcludeApp ID="Visio" />
    </Product>
    </Add>
    </Configuration>
    This installed VisioPro, with the Visio application "Excluded".
    The end result = VisioPro was "installed" without the Visio "application".
    (yes, it's kind of a stupid test, but it verified the syntax on the XML file)
    To make this work, I needed to uninstall VisioPro first.
    You may need to uninstall/reinstall Office, since your Office installation state may be inconsistent?
    [if you do this, apply your modified XML file during the reinstallation (/configure) phase]
    Don
    (Please take a moment to "Vote as Helpful" and/or "Mark as Answer", where applicable.
    This helps the community, keeps the forums tidy, and recognises useful contributions. Thanks!)

  • Migrate exchange 2003 to office 365 with single singon

    Dear All,
    We are going to migrate our mail systems from exchange server 2003 to office 365 with single sing-on.
    Please advice me the best way and guide line (information) to do it smoothly.
    Thanks in advance.

    Dear Andres parnova,
    Thanks for your information.
    I found series of articles in msexchange.org
    http://www.msexchange.org/articles-tutorials/office-365/exchange-online/performing-staged-exchange-migration-office-365-exchange-online-part1.html which has very nice and clear information.
    But, in the articles the author did not include ADFS configuration and steps.
    I would like to know how to configure ADFS and single sing-on.
    Thanks
    Min

  • Sharepoint migration from 2003 to office 365

    Hi, 
    I need to migrate from sharePoint 2003 on-prem to office 365. customer has
    650 GB of contents in sharepoint and they want all contents to be migrated to office 365. Customer has 145 office 365 E1 licenses. Can someone help me in how to do this, it will be very helpful.

    Hi, 
    Can someone provide an answer for this please..

  • How to migrate File server to NAS device?

    All right so here's the scenario.
    An external forest level trust is setup between two forests A & B as recently as we acquired the company B.
    Users from forest B were already migrated to domain A.
    Now I need to migrate file server from domain B to my domain A but the target where we need to move file shares is a NAS device, so basically we cannot do a simple server migration from domain B to domain A.
    We need to copy over the data+ACL+Share permissions from fileserver in domain B to a NAS device in domain A whereas of course ACL permissions on file server present in domain B will obviously be as per source domain user accounts, example ACL permissions
    currently will show as "B\user1".
    So whats the best way to perform this in order to maintain the permissions & data.
    Another question how do we copy share permissions from file server to NAS as I can robocopy the data with security permissions but how to copy over all the share permissions to destination NAS?

    Hi,
    You need to retain the SID History attribute when users across domains to ensure users in the target domain can access to files during migration.
    For more detailed information, please refer to the threads below:
    ACL migration
    http://social.technet.microsoft.com/Forums/exchange/en-US/3c75a116-6bd3-407f-a76c-0d825d4f525a/acl-migration
    File server migration using FSMT 1.2 in NAS environment
    http://social.technet.microsoft.com/Forums/en-US/fb4bf505-2d95-4409-9777-8fd4a1c0c471/file-server-migration-using-fsmt-12-in-nas-environment?forum=winserverfiles
    In additional, you could backup registry key SYSTEM\CurrentControlSet\Services\LanmanServer\Shares to copy share permissions.
    Saving and restoring existing Windows shares
    http://support.microsoft.com/kb/125996
    ADMT and network mapped drives
    http://social.technet.microsoft.com/Forums/windowsserver/en-US/9752e31d-2f35-4d7d-ae4d-2f9fe9400bfe/admt-and-network-mapped-drives?forum=winserverDS
    Regards,
    Mandy
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • Visual Studio Community 2013 on Windows 8.1 pro - how can I develop for Sharepoint (Office 365)?

    Hello everybody from Italy.
    As stated on the subject, I'd like to develop some solutions for my Office 365's SharePoint site.
    I'm absolutely new to Visual Studio usage, too :-)
    I downloaded and installed VS Community 2013 and SharePoint 2013 SDK (along with ... but still no luck, VS keeps saying that I need to have SharePoint installed locally in order to develop solutions for SharePoint.
    What now?
    F. Simonetti - UNIX Sysadmin - Sharepoint learner

    Ok, I managed to:
    remove the "somewhat offending" custom list (I'll add it later after realizing what I was doing wrong)
    create one custom list without any specific feature (I called it List1)
    create another list based on Contacts, kept absolutely default (called List2)
    build&deploy the app
    Ok, now the "app" is there (on my devel environment), doing absolutely nothing (because I didn't create any form or page or whatever). But I have a Contact list! I should be able to sync it to Outlook desktop!
    This page helped me to understand how I can reach the list created inside the app (https://devtenant.sharepoint.com/AppName/Lists/List2)
    ... but I had a bad surprise: no option to sync the Contact list with my Outlook desktop application. This remains true even after having activated the "Offline Synchronization for External Lists" feature inside Site Settings/Site Features menu.
    So, the Contact-like list inside the app has lost about 80% of interest... not being able to sync it with Outlook is a severe limitation. I'm assuming that every list created inside an app will suffer of the same problem, is it true?
    By the way, how I'm supposed, after having eventually finished my work on the app, to install it on the "real" work environment, that is completely unrelated to the development site (being the "work" site a mere "Business
    Premium" Subscription)?
    I tried to deploy the app to the "non devel" site with no luck: VS says that the destination site is not configured for sideloading apps.
    Many thanks in advance, Ashish.
    F. Simonetti - UNIX Sysadmin - Sharepoint learner

Maybe you are looking for

  • Different LOVs in af:query and af:form for the same VO attribute

    Hi, We need to display different LOVs in af:query and af:form for the same attribute in VO. Is it possible to use LOV Switcher for this ? What condition can we use in LOV Switcher attribute to check if it is View Critearia row or VO row ?

  • PKI Credential mapper problem while migratinthe project from alsb2.5 to 2.6

    We are migrating our project from alsb2.5 to alsb 2.6. While doing this, it is giving conflict like " there should be only one PKI Credentail mapper is allowed'. How to resolve this issue? Thnx, DBR

  • PDF printing "Internal display" settings 'default'

    Hi All, I'm having problems PDF printing web applications made in WAD 7.0. We have created a button triggering the EXPORT command and left everything set to 'default'. Internal display = 'default', Data binding = 'default'. All our 7.0 web templates

  • Check Printing without creating Vendor

    Hi, We print check by creating vendor (which is a standard practice). Could you pl sugest me the wayout where I can directly Debit Expenses account and issue check in the name of Vendor. eg. I want to make a payment for Advertisement without creating

  • Attaching photos to emails as icons

    I want to send photos as icons that the recipient will download and view rather than embedding the photo in the actual text of the email. By searching through past posts, I found this same question from another user. The solution was to +Right-click