Running powershell cmdlets from windows 7 against windows 2003

what are the requirements for running PowerShell from windows 7 against windows 2003 server in a different domain?
dhomya

Hi Dhomya,
If you mean Powershell Remoting, and if the domains don't have trust relationship, you can configure the setting "WSMan:\localhost\Client\TrustedHosts".
To configure Powershell remoting, please also check this article:
[Forum FAQ] Introduce Windows Powershell Remoting
If there is anything else regarding this issue, please feel free to post back.
Best Regards,                                 
Anna Wang
TechNet Community Support
Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Support, contact [email protected]

Similar Messages

  • Run multiple apps from one browser windows with 9ias r2

    We are running 9ias r1 with forms 6i as our production server. Users are able to access one html page with multiple links to their applications. They can run one application, keep it running, navigate back to the html page and run a second application.
    We are testing 9ias r2 with forms 9i, but when users try to navigate back to the html page to run the second application the first application closes.
    Is there a way to have 9ias r2 work the same as r1 and allow users to run multiple application from one html page?

    Hi,
    Thank you for posting in Windows Server Forum.
    You can take rdp of server 2012 R2 from Fedora Linux desktop by running Yum command or Gnome rdp support. Please check below article for information.
    1.  How to Use Remote Desktop (rdesktop) in Redhat/Fedora/CentOS
    2.  Remote desktop from Linux to windows using rdesktop and gnome-rdp
    3.  XRDP Installation: An Easy Remote Desktop Setup for Linux
    Note:
    Microsoft is providing this information as a convenience to you.
    The sites are not controlled by Microsoft. Microsoft cannot make any representations regarding the quality, safety, or suitability of any software or information found there.
    Please make sure that you completely understand the risk before retrieving any suggestions from the above link.
    Hope it helps!
    Thanks.
    Dharmesh Solanki

  • Run Powershell script from Scheduled Task as "NT Authority \ SYSTEM"

    Hello, dear Colleagues.
    Cannot make Powershell script from Scheduled Task as "NT Authority \ System"
    Action: Start a program - 
    C:\Windows\System32\WindowsPowerShell\v1.0\powershell.exe -command "C:\script.ps1"
    The matter is that script is working, moreover if to run Task with Domain Account it works too.
    Checked Run with highest privileges, changed "Configure for" field, tried different arguments (-noprofile, -noexit, -executionpolicy bypass, -command, -file,") - no luck.
    Didn't you try to make it work with SYSTEM account?
    Thanks.

    Hi fapq,
    Try this link task schedulers
    Note
    To identify tasks that run with system permissions, use a verbose query (/query/v). In a verbose query display of a system-run task, the Run As User field has a value of NT AUTHORITY\SYSTEM and
    the Logon Mode field has a value of Background only.
    Naveen Basati

  • Run PowerShell script from C# writing to input pipe

    Hello,
    I am trying to run a PowerShell script from C# (I have no control over what's in the script). The script may have a prompt like "Press enter to continue". So my goal is:
    1. Get text output from the script (easy, many examples available)
    3. If output contains "Press enter to continue", write a blank line to the running script's pipe to make it finish its job and quit
    4. If output does contain that prompt, just let it exit by itself without sending any input
    Note that commands in this PS script also try to get at script's file path, so I can't read script from file and pass it as text. It has to be executed as a script so it knows where it's located.
    I have done this with .exes and batch files before. All you do in that case is process.StandardInput.WriteLine() which "types" enter into the input stream of script you are trying to control. But this does not work with Power Shell. How do I do this?
    I have tried using PS object model like so:
    using (Pipeline pipeline = runspace.CreatePipeline())
    Command command = new Command(scriptPS, true, true);
       pipeline.Commands.Add(command);
       pipeline.Commands[0].MergeMyResults(PipelineResultTypes.Error, PipelineResultTypes.Output);
       pipeline.Input.Write("\n");
       Collection<PSObject> psresults = pipeline.Invoke();   //...
    But I get an error because the script prompts:
    "A command that prompts the user failed because the host program or the command type does not support user interaction. Try a host program that supports user interaction, such as the Windows PowerShell Console or Windows PowerShell ISE, and remove prompt-related
    commands from command types that do not support user interaction, such as Windows PowerShell workflows."
    I also tried using Process, and running PowerShell with -File switch to execute the script, then write to StandardInput with C#. I get no errors then, but the input is ignored and doesn't make it to PowerShell.
    Please help!

    No man, what kind of answer is that? You should have left it unanswered rather than waste people's time like this. I already seen those links before I posted my question. They address the issue of specifying script parameters, but not
    writing to the input pipe.
    Fortunately I did figure this out by writing a custom script host for PowerShell. Anyone interested can read about this in detail on MSDN (fortunately simple material with samples you can copy paste as I did, so this solution takes little time to implement).
    Implement PSHost interface. Nothing special here, just paste directly from MSDN sample and modify their SetShouldExit function definition to contain just a "return;". Here's the relevant link:
    http://msdn.microsoft.com/en-us/library/windows/desktop/ee706559(v=vs.85).aspx
    Implement PSHostUserInterface interface. This is the ticket to solving this problem
    (see below). Here's the MSDN link:
    http://msdn.microsoft.com/en-us/library/windows/desktop/ee706584(v=vs.85).aspx
    Implement PSHostRawUserInterface. This may not be required (not sure) but I did anyway. Nearly a direct paste from MSDN:
    http://msdn.microsoft.com/en-us/library/windows/desktop/ee706601(v=vs.85).aspx
    So, there are two PSHostUserInterface function implementations that are of particular interest. First is Prompt (read header comment to see why):
    /// <summary>
    /// When script attempts to get user input, we override it and give it input programmatically,
    /// by looking up within promptInput's dictionary<string,string> or lineInput array.
    /// PromptInput dictionary is mapped by input prompt (for example, return "" in response to "Press ENTER to continue")
    /// LineInput is a regular array, and each time the script wants to prompt for input we return the next line in that array;
    /// this works much like piping inputs from a regular text file in DOS command line.
    /// </summary>
    /// <param name="caption">The caption or title of the prompt.</param>
    /// <param name="message">The text of the prompt.</param>
    /// <param name="descriptions">A collection of FieldDescription objects that
    /// describe each field of the prompt.</param>
    /// <returns>Throws a NotImplementedException exception.</returns>
    public override Dictionary<string, PSObject> Prompt(string caption, string message, System.Collections.ObjectModel.Collection<FieldDescription> descriptions)
    Dictionary<string, PSObject> ret = new Dictionary<string, PSObject>();
    foreach (FieldDescription desc in descriptions)
    if (this.promptInput.Count != 0)
    ret[desc.Name] = new PSObject(this.promptInput[desc.Name] + "\r\n");
    else if (this.lineInput != null && this.currentLineInput >= 0 && this.currentLineInput < this.lineInput.Length)
    ret[desc.Name] = new PSObject(this.lineInput[this.currentLineInput++] + "\r\n");
    else
    if (desc.DefaultValue == null)
    ret[desc.Name] = new PSObject("\r\n");
    else
    ret[desc.Name] = new PSObject(desc.DefaultValue);
    return ret;
    Next is PromptForChoice. Here I opted to always return the default choice, but you could rewrite it to read from somewhere to "simulate" reading from input pipe just like the function above:
    public override int PromptForChoice(string caption, string message, System.Collections.ObjectModel.Collection<ChoiceDescription> choices, int defaultChoice)
            return defaultChoice;
    Last but not least, here's a ReadLine implementation (again read header comment):
    /// <summary>
    /// If the LineInput is set, "read" the next line from line input string array, incrementing line pointer/// </summary>
    /// <returns>The characters that are entered by the user.</returns>
    public override string ReadLine()
    if (this.lineInput != null && this.currentLineInput >= 0 && this.currentLineInput < this.lineInput.Length)
    return this.lineInput[this.currentLineInput++];
    else
    return Console.ReadLine();
    Both are exposed as properties:
    /// <summary>
    /// Gets or sets the input pipe override
    /// </summary>
    public string Input
    get
    return string.Join("\n", this.lineInput);
    set
    if (value != null)
    this.lineInput = value.Split('\n');
    this.currentLineInput = 0;
    else
    this.lineInput = null;
    /// <summary>
    /// Gets or sets input pipe override for named prompts
    /// </summary>
    public Dictionary<string, string> PromptInput
    get
    return this.promptInput;
    set
    this.promptInput = value;
    And finally, here's how the whole shebang is used:
    /// <summary>
    /// Runs a powershell script, with input pipe arguments
    /// </summary>
    /// <param name="script">Path of the script to execute, or script text</param>
    /// <param name="inline">Whether or not to execute script text directly, or execute script from path</param>
    /// <param name="unrestricted">Whether or not to set unrestricted execution policy</param>
    /// <param name="parameters">Parameters to pass to the script command line</param>
    /// <param name="inputOverride">Input to pass into the script's input pipe</param>
    /// <param name="inputOverrideName">Input to pass into the script's input pipe, to each prompt by label</param>
    /// <returns>Output lines</returns>
    public static string PowerShell(string script, bool inline, bool unrestricted = false, Dictionary<string, string> parameters = null, string inputOverride = null, Dictionary<string, string> inputOverrideByName = null)
    string output = null;
    ScriptHost host = new ScriptHost();
    (host.UI as ScriptHostUserInterface).Input = inputOverride;
    (host.UI as ScriptHostUserInterface).PromptInput = inputOverrideByName;
    using (Runspace runspace = RunspaceFactory.CreateRunspace(host))
    runspace.Open();
    if (unrestricted)
    RunspaceInvoke runSpaceInvoker = new RunspaceInvoke(runspace);
    runSpaceInvoker.Invoke("Set-ExecutionPolicy Unrestricted");
    using (Pipeline pipeline = runspace.CreatePipeline())
    if (inline)
    pipeline.Commands.AddScript(script);
    else
    Command command = new Command(script, true, true);
    foreach (KeyValuePair<string, string> param in parameters)
    command.Parameters.Add(param.Key, param.Value);
    pipeline.Commands.Add(command);
    pipeline.Commands.Add("Out-String");
    pipeline.Commands[0].MergeMyResults(PipelineResultTypes.Error, PipelineResultTypes.Output);
    Collection<PSObject> psresults = pipeline.Invoke();
    var sb = new StringBuilder();
    foreach (PSObject obj in psresults)
    sb.AppendLine(obj.ToString());
    output = sb.ToString();
    pipeline.Dispose();
    runspace.Close();
    return (host.UI as ScriptHostUserInterface).Output + "\r\n" + output;
    As you can see, I also did some magic with the .Output property. That just accumulates lines of text output by the script in every WriteXXX function implemented in your custom PSHostUserInterface. The end result of all this, is that if you have a script
    that has prompts, choices or reads from standard input, you can execute the script within the context of your custom script host written as above, to control precisely what strings are passed to it in response to prompts.
     

  • Running Powershell command from PHP returns blank page

    Hi. :-)
    I have this script :
    <?php
    $q = shell_exec('powershell Get-Help');
    echo $q;
    ?>
    This works well and gives me output.
    But... When I change Get-Help with Get-VM it gives me blank page as ouput. I have simillar problems with other Hyper-V cmdlets.
    This is code 1:
    <?php
    $q = shell_exec('powershell Get-VM');
    echo $q;
    ?>
    This code gives me blank page.
    Code 2:
    <?php
    $q = shell_exec('powershell Start-VM 'Vm1'');
    echo $q;
    ?>
    This code gives me that it cannot find VM with that name.
    What's the problem, what to change in script or system settings.
    Note: All this commands WORK and gives me output when I run it from cmd
    Things that I did:
     1. Changed execution policy to Unrestricted
     2. Added 2<&1 at the end of shell_exec.
    Thanks in advance.

    Hi,
    I think we should run powershell as adminitrator to get VMs.
    Start-Process "$psHome\powershell.exe" -Verb Runas -ArgumentList '-command "Get-VM"'
    Regards,
    Yan Li
    Regards, Yan Li

  • Run exchange cmdlets from non AD users? Is it possible?

    Hello!
    I call powershell script from local user and obviously get access error. For example I need to get this info from AD:
    (Get-MailBox -database DB2 -resultsize unlimited | Get-MailBoxStatistics | Add-Member -MemberType ScriptProperty -Name
    TotalItemSizeinGB -Value {$this.totalitemsize.value.ToGB()} -PassThru | measure-object -property TotalItemSizeinGB -sum).Sum
    I can use “-credential $Cred” only with Get-Mailbox. What about the others  cmdlets?
    Anyway, there is a huge similar cmdlets giving access error if I don’t use AD user with proper permissions.
    I need this for monitoring system which works from LocalSystem account.
    Could somebody advice please?

    Hi,
    The account you use to run the cmdlet above should be a member of Organization Management role group and Recipient Management role group. What's more, the role group members should be AD users.
    For your reference:
    Mailbox Permissions
    https://technet.microsoft.com/en-us/library/dd638132(v=exchg.141).aspx
    Hope this can be helpful to you.
    Best regards,
    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]
    Amy Wang
    TechNet Community Support

  • General Failure - Running DBASE App from Netware on Windows

    Hi all,
    Our company database is coded in DBASE 5 and is hosted on Novell Netware 6.5 servers.
    Our users have always used MS DOS PC's with the novell client to run the application but recently we have began testing the application running under windows XP CMD prompt after connecting using Novell Client.
    For the most part everything works however we are experiancing a problem on XP that doesn't exist when run on the MS DOS PC's.
    Basically when the app tries to run the DBASE USE / FILE commands on a file that the user doesn't have access too a general failure (CANCEL, IGNORE, RETRY) is shown. Strangely if the user hits CANCEL / IGNORE the correct result is returned e.g. FILE returns .F.
    The above problem doesn't occur on MS DOS!
    After testing it seems that the windows PC somehow 'knows' the file is there and tries to access it and then fails - could this be the case?
    Other windows commands such as DIR / MOVE etc return "A device attached to the system is not functioning"
    Any ideas on any settings we can change to prevent this from happening?
    Thanks
    Robbie

    Robbiecookie101,
    > Just to add to this. I have done some more checks and it definitely
    > seems that the system knows there is a file there even though i have no
    > rights to it. If i try to use a file in dbase file in a subdirectory i
    > do not have rights to, i get the general failure error. If i do the same
    > to a file that doesn't exist in the same directory then i get the
    > standard file does not exist error. Is there some way that the client
    > knows that there are files there even though i do not have rights to
    > them and they do not show in a a dir?
    The reason why you cannot access it is because another client has opened
    it and has exclusive access to it. In the old days you had to flag such
    files as "shareable" with the flag command, but I have not had to use that
    for decades..
    Anders Gustafsson (NKP)
    The Aaland Islands (N60 E20)
    Have an idea for a product enhancement? Please visit:
    http://www.novell.com/rms

  • Running pro*c from oracle10 against oracle9

    Hello everybody,
    my DBA says that (pre) compiling a pro*C program under oracle 10g and then running it against an oracle 9 instance will cause no problems.
    I would rather expect the opposite to be true: compiling under 9 and running against oracle 10 as this should be backward compatible.
    Has anybody ever tried this?
    Thanks a lot.

    Tried both. Both work - with qualification.
    Compile using ProC 9i and run against 10g DB - you will only get access to the capabilites of 9i ProcC (see the 'New Features section of the 10g ProC manual for what you are missing)
    Compile using ProcC 10g and run against 9i DB - you will only get access to the 9i DB capabilties. However, you can use some of the 10g ProC capabilties as long as they don't demand a 10g DB capabilitiy to work. Again, the same section of the manual will help.
    Then again, there are unexpected situations in both combinations that may give you 'exceptional results'. That's what Metalink and patches are all about.
    Summary:
    9i ProC -> 9i DB = OK
    9i ProC -> 10g DB = OK but limited to 9i ProC capabilitiesd
    10g ProC -> 10g DB = OK
    10g ProC -> 9i DB = OK but limited to 9i DB capabilties

  • Run PowerShell Script from a Event Receiver

     Hi,
    Just looking around on the net for some documentation for running a PowerShell script via an Event Receiver. We want to be able to make changes to the script and not change anything in the ER.
    Sadly using a workflow isn't an option here.
    Looking for websites that give some examples really, or if anyone has done this.
    Regards
    If this is helpful please mark it so. Also if this solved your problem mark as answer.

    Hi TemPart:
    string cmdArg = “C:\\Scripts\\test.ps1″;
    Runspace runspace = RunspaceFactory.CreateRunspace();
    runspace.Open();
    Pipeline pipeline = runspace.CreatePipeline();
    pipeline.Commands.AddScript(cmdArg);
    Collection [PSObject] results = pipeline.Invoke(); // please Update [] bracket with less then and greater then bracket
    runspace.Close();
    Had to modify this slightly:
    string cmdArg = “Powershell.exe -file C:\\Scripts\\test.ps1″;
    Runspace runspace = RunspaceFactory.CreateRunspace();
    runspace.Open();
    Pipeline pipeline = runspace.CreatePipeline();
    pipeline.Commands.AddScript(cmdArg);
    Collection [PSObject] results = pipeline.Invoke(); // please Update [] bracket with less then and greater then bracket
    runspace.Close();
    If this is helpful please mark it so. Also if this solved your problem mark as answer.

  • Run powershell script from context menu

    Hi guys!
    I do not know if what I'm going to
    ask you is achievable.
    This is what I want:
    when I click with the right mouse button
    a file, possibly with certain extensions,
    the context menu appears, and
    here I would to create an
    object that can run the script that I have created
    and assign as an argument the selected file.
    It would also be necessary that such an object is
    similar to the"send to" button.
    Browsing the net I had found the
    script to create such an object, however,
    I have no idea on how to implement it
    and then how to run my script.
    Thanks

    Hi jrv!
    Initially, I will try to follow your suggestion but I'd prefer to use some automation, possibly related to powershell as required, because i must do this thing on many computers.
    Thanks
    A
    Y((ou would do that with Group Policy as it is just a registry update.
    ¯\_(ツ)_/¯

  • Run Powershell Script from Server

    I am new to MDT so please forgive me.  I am looking for a way for the MDT server to run a script locally after a server has been deployed.  I saw you can do something similar where you use remoting in the task sequence.  That is not
    allowed or enabled in my environment.  Is there any way for the MDT server to know it is done then it runs a script?

    The unattend file has several locations that scripts could be run from, either in the specialize pass or oobeSystem pass. 
    http://technet.microsoft.com/en-us/library/cc748874(v=ws.10).aspx -- this also gives you some demos on how to create your own unattend, though most basic settings are handled by
    MDT.
    You could also look into utilizing the run and runonce keys -
    http://msdn.microsoft.com/en-us/library/aa376977%28v=vs.85%29.aspx

  • Issues using SharePoint PowerShell cmdlets using PowerShell Remoting

    We are having an issue with the SharePoint 2010 management cmdlets inside of a PowerShell Remoting session.
    Here is a example code output (stripped of company-specific data):
    Windows PowerShell
    Copyright (C) 2009 Microsoft Corporation. All rights reserved.
    PS C:\> $Server = "server.domain.msd"
    PS C:\> $Credential = Get-Credential "domain\admin"
    PS C:\> $Session = New-PSSession -ComputerName $Server -Credential $Credential -Authentication "CredSSP" -UseSSL -SessionOption $(New-PSSessionOption -SkipCNCheck -OperationTimeOut 0 -OpenTimeOut 10000)
    PS C:\> Enter-PSSession $Session
    [server.domain.msd]: PS C:\> Add-PSSnapin "Microsoft.SharePoint.PowerShell"
    [server.domain.msd]: PS C:\> New-SPUser -UserAlias "domain\spadmin" -sitecollectionadmin -web "http://sharepoint"
    New-SPUser : You need to be a site collection administrator to set this property.
    + CategoryInfo : InvalidData: (Microsoft.Share...SPCmdletNewUser:SPCmdletNewUser) [New-SPUser], SPExcepti
    on
    + FullyQualifiedErrorId : Microsoft.SharePoint.PowerShell.SPCmdletNewUser
    [server.domain.msd]: PS C:\> whoami
    domain\admin
    [server.domain.msd]: PS C:\>
    However if I run the command on the remote system inside of an RDP session it works fine:
    Windows PowerShell
    Copyright (C) 2009 Microsoft Corporation. All rights reserved.
    PS C:\> Add-PSSnapin "Microsoft.SharePoint.PowerShell"
    PS C:\> New-SPUser -UserAlias "domain\spadmin" -sitecollectionadmin -web "http://sharepoint"
    UserLogin DisplayName
    i:0#.w|domain\... DOMAIN\spadmin
    PS C:\> whoami
    domain\admin
    PS C:\>
    This looks like it has something to do with WinRM not being an elevated shell, because when I use the SharePoint API inside of WinRM I need to use RunWithElevatedPrivileges.  Does anyone know of a way around this limitation?

    Hye i found a way to run sharepoint cmdlets from remote computer on this blog. Actually we need to use credssp authentication mechanism.
    hope it helps others.
    http://www.liberalcode.com/2013/04/running-sharepoint-cmdlets-from-remote.html

  • Issue with running powershell script in pssessions

    Hi Everyone,
    I am trying to run powershell script from remote machine using below commands
    C:\Users\user>"C:\Windows\System32\WindowsPowerShell\v1.0\powershell.exe"
    -command "$s= New-PSSession -ConfigurationName Microsoft.Exchange -ConnectionUri
    http://Exchservername/PowerShell/ -Authentication Kerberos ; Import-PSsession $s; "C:\Failback.ps1"
    and Below is the failback.ps1.
    $mbxs = Get-MailboxDatabase | Sort Name
    ForEach($mbx in $mbxs)
    $MBdb=$mbx.Name $ServerHosting=$mbx.Server.Name
    if($mbx.activationPreference.value -eq 1)
    If ($ServerHosting -ne $ActivationPreference.Key.Name) 
    Move-ActiveMailboxDatabase $MBdb -ActivateOnServer $ActivationPreference.Key.Name -confirm:$False 
    Below is what i am getting.

    What is your question?  Are you pointing out the yellow text?  This is normal, and appears every time EMS is opened.
    I should also point out that Microsoft provides a script to re-balance databases, if that's what you're trying to accomplish:
    You can use the RedistributeActiveDatabases.ps1 script to balance the active mailbox databases copies across a DAG. This script moves databases between their copies in an attempt to have an equal number of mounted databases on each server in DAG. If required,
    the script also attempts to balance active databases across sites.
    https://technet.microsoft.com/en-us/library/dd335158(v=exchg.141).aspx
    Mike Crowley | MVP
    My Blog --
    Baseline Technologies

  • Run powershell command in app part on submitting item in O365 Sharepoint list.

    I need to fire an powershell command through app part as soon as i have submitted details or form on the list.
    As powershell command requires inputs, i have created list and a form into it, i mapped the column with the powershell input, but the commands is not running or firing, please help.
    Regards
    Mohit Jain

    Hi,
    According to your description, my understanding is that you want to run a Powershell command when submitting a form on the list to create mailbox for user.
    As your environment is Office 365, I suggest you can create a web service to call the PowerShell Command using C#. Then in the office 365 list, you can create a remote event receiver to trigger the web service to
    achieve it.
    Here are some detailed articles for your reference:
    http://msdn.microsoft.com/en-us/library/ms464040%28v=office.12%29.aspx
    http://www.codeproject.com/Articles/18229/How-to-run-PowerShell-scripts-from-C
    http://msdn.microsoft.com/en-us/library/office/jj220043(v=office.15).aspx
    Best Regards
    Forum Support
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Subscriber Support, contact
    [email protected]
    Zhengyu Guo
    TechNet Community Support

  • Cannot run the big size exe file ( 900MB) on Windows Storage Server 2003 x86 SP2 OS(Hyper-V VM machine)

    When I run a big size exe file(>900 MB) on Windows Storage Server  2003 x86 SP2 OS VM mchine(which is managered by Hyper-V server), I got the following error message:
    Windows cannot open this program because the license enforcement system has been tampered with or become corrupted.
    This setup.exe should be a trusted source because of it run other OS(windows 2003, windows 2008, 2008 R2 etc.).  we use the same way to create the exe whose size < 700MB, it works fine on the same machine(Windows Storage
    Server 2003 x86 SP2 OS VM machine).  So I assume that the file size(>900MB) causes the problem, It seems that OS dont' support it.
    My questions:
    1. Is there the limitation of exe size to run on Windows
    Storage Server  2003 x86 SP2 OS VM machine?  If yes, what is the size of limitation?
    2. What reason is this error? Is it related with Hyper-V?
    Thanks,
    Recky

    Did you install the 2003 VM from scratch or did you create it via a P2V process?  In addition to what Shaon says about not all applications running properly in VMs, performing P2V to create VMs can also cause issues with a variety of things. 
    First thing to check would be Shaon's suggestion to try it in another VM.  If it works in another VM, and you P2V'ed this VM, try creating your Storage Server VM from scratch and try again.  Better yet, if the application can be run on a later version
    of the OS, create a 2012 Storage Server instead of the 2003 Storage Server as your VM and give it a try.
    .:|:.:|:. tim

Maybe you are looking for

  • Export web analysis document from workspace to excel

    Hi all i have the problem regarding exporting the webanalysis document from workspace,i.e when i drilldown the webanalysis document to lowest level and right click on the report and select "export to excel " i am being prompted the webanalysis login

  • IPhone 4S artist sort order problem

    Running iTunes 10.5 and iOS5 on iPhone 4S and having this problem where when i go to Music and then the Artists tab, the artists are not listed under the proper letter.  So like when I click on the "V" on the side where all the letters are, it goes t

  • Exposure profile edition

    Hi Experts, I am developing  the report where I need to add/delete documents connected to exposure(TR CBIH92). I have already deleted unused documents from hazards, but I cannot delete document before it exists in any regulations for exposure. Is the

  • AE will not accept new settings

    I have done a hard reset and I receive this message: The settings for this AirPort wireless device have been successfully updated, but there was a problem re-joining the wireless network or finding the AirPort wireless device. You may need to select

  • Setting CSS Class for a Text Input Item when the disable property set to true

    Hi, i have OAF page and the item style is Message text input and i have set the disable property is TRUE using SPELL. i want to display the value is BOLD for the item. so i set the CSS class for the item to  OraTipLabel,OraDataText etc using item pro