Determine Orchestrator version from code?

Thanks to some legacy environments we're supporting, we have multiple versions of Orchestrator running in our environment. We run a common code base across all versions, so all of our workflows are the same on all the Orchestrator instances, but sometimes we need to run slightly different code on different versions of Orchestrator.
The questions is, is there a way I can tell from within Orchestrator which version is running? Right now, we run a local 'hostname' command to get the name of the Orchestrator server and base our decisions around that, but I wanted to know if there was a more graceful / dynamic way to determine versions. Is there anything in the API or any scripting object I can use to get this information?
Thanks!

Do a GET request to the REST API:
/vco/api/about
Output sample from my appliance:
json:
    "version": "6.0.2.2707387 (6.0.2.2700137)",
    "build-number": "2707387",
    "build-date": "20150428-1104",
    "api-version": "5.5.2"
XML:
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<about-info
    xmlns="http://www.vmware.com/vco">
    <build-number>2707387</build-number>
    <build-date>20150428-1104</build-date>
    <version>6.0.2.2707387 (6.0.2.2700137)</version>
    <api-version>5.5.2</api-version>
</about-info>

Similar Messages

  • Determine OSX Version from Install DVD

    Hey guys,
    I have a couple of .dmg-images with OSX Snow Leopard on it, all named "Mac OS X Install DVD". Since they're taking up quite a lot of space on my backup harddisk I figured I could delete all of them but the one with the most recent version of Snow Leopard. Is there any way to determine which version of SL my Install DVD images contain?
    Best,
    Daniel

    Hey Kappy,
    thanks for the quick reply! Unfortunately, I don't have any DVDs but only .dmg-images sitting on my harddrive. I know they're all SL; what I don't know is the exact version of SL (10.6.0 or 10.6.1 or 10.6.2 etc.). Is there any way of finding the OSX version somewhere in the package contents of those images?
    Thanks for your help!
    Daniel

  • Determine XSCF version from host OS?

    Is it possible to detect the XSCF version from the host OS?

    Thank you for the response! Here's a stupid question: How do I enable that on my server?:
    <pre>$ /usr/sbin/ifconfig sppp0
    ifconfig: status: SIOCGLIFFLAGS: sppp0: no such interface
    $ /usr/sbin/ifconfig spp0
    ifconfig: status: SIOCGLIFFLAGS: spp0: no such interface
    $ grep spp /etc/path_to_inst
    $ prtdiag|head -3
    System Configuration: Oracle Corporation sun4u Sun SPARC Enterprise M4000 Server
    System clock frequency: 1012 MHz
    Memory size: 65536 Megabytes
    $</pre>
    It doesn't seem to exist on my MX000 systems...

  • Finding JFX version from code

    Hi,
    Is there a way to get the version of JFX from an app?
    I've tried System.getProperty("java.version") but it returns the Java version.

    FX.getProperty("javafx.version");

  • 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();

  • Error synchroniz​ing with Windows 7 Contacts: "CRADSData​base ERROR (5211): There is an error converting Unicode string to or from code page string"

    CRADSDatabase ERROR (5211): There is an error converting Unicode string to or from code page string
    Device          Blackberry Z10
    Sw release  10.2.1.2977
    OS Version  10.2.1.3247
    The problem is known by Blackberry but they didn't make a little effort to solve this problem and they wonder why nobody buy Blackberry. I come from Android platform and I regret buying Blackberry: call problems(I sent it to service because the people that I was talking with couldn't hear me), jack problems (the headphones does not work; I will send it again to service). This synchronisation problem is "the drop that fills the glass". Please don't buy Blackberry any more.
    http://btsc.webapps.blackberry.com/btsc/viewdocume​nt.do?noCount=true&externalId=KB33098&sliceId=2&di​...

    This is a Windows registry issue, if you search the Web using these keywords:
    "how to fix craddatabase error 5211"       you will find a registry editor that syas it can fix this issue.

  • Unable to read software component versions from System Landscape Directory

    Hi XI,
    Once I could import software component version but now I can't. Maybe I did something wrong in SLD.
    Could you please give me some hints?
    Thanks,
    Bruce

    hi,
    i have also problem with "import software componenet version "
    i got a message like
       "unable to import software component version from
    system landscape directory ......."
    than i gone for SLDCHECK...i got an error it is ............
    calling function LCR_LIST_BUSSINESS_SYSTEM
       Retreiveing data from the sld server function call returned   exception  code 4
      connection to sld does not work
      check sld function and configuration
    what that i have to do ...to make it work ....please give me any solution for that please give me detailed info
    with regards
    Edited by: praneeth mamgunta on Jun 27, 2008 4:04 PM
    Edited by: praneeth mamgunta on Jun 27, 2008 4:07 PM

  • Unable to read software component version from System Landscape Directory "

    I've worked in past creating/importing SWCV, but this is new system PI7.0 and stuck.
    A) Is my understanding on resolution correct?
    Should I go and apply notes 940309 and create client copy of existing client 001
                                        OR
    change role of client 001; SXMB_ADMIN -> 'Integration Engine Configuration' to 'Integration Server'
    I have no problem in using client 001 as Integration server, all I want is import of SWCV to work. Thanks. Appreciate the help.
    B) Here is what I have done and the error:
    1) Followed weblog below and created product, software component, technical system, business sytem in SLD.
    /people/srinivas.vanamala2/blog/2007/02/05/step-by-step-guide-xml-file-2-xml-file-scenario-part-i
    2) When I import the SWC from integration repository getting error
    (Unable to read software component version from System Landscape Directory "server:5<system number>00").
    C) Pointers used from the forum to debug the issue, but still no luck
    Below are the points checked from the forum and all steps are correct, but still have issues with the import
    1) check the RFCs SAPSLDAPI, LCRSAPRFC, connection test pass as the program ID registered with Jco
    2) T-code SLDCHECK no errors (followed http://help.sap.com/saphelp_nw04/helpdata/de/78/20244134a56532e10000000a1550b0/content.htm)
    3) T-code SLDAPICUST got user PIAPPLUSER, pwd is correct (reset the pwd)
    4) logged using PIAPPLUSER http://server:port/sld and it works
    5) One of the weblog SLD Check Failed (LCR_LIST_BUSINESS_SYSTEMS function doesn't work) referred to apply notes 940309
    Notes: 940309
    You are installing 'SAP NetWeaver 2004s SR1 ABAP+Java' Usage Type 'NetWeaver Process Integration (PI)'.
    You don't want to use the default client 001, but another client as Integration Server.

    applied portion (PIPostInstallProcess) of OSS notes 940309 and it resolved.
    Note:
    I still retained client 001 and didn't do client copy as mentioned in the notes. The wizard based CTC tool helped. Here are the details if someone has similar issue and want to know further details:
    A NetWeaver Process Integration (PI) Installation (ABAP+Java) has two parts: Installation and configuration. The former is done by the Installer, the latter by the 'Central Template Configuration' (CTC) Tool.
    http://help.sap.com/saphelp_nw04s/helpdata/en/14/39084136b5f423e10000000a155106/frameset.htm
    1.      Call the wizard-based configuration tool as described in Configuration Wizard.
           2.      Select the scenario PI and the task PIPostInstallProcess.
           3.      Choose Execute.
    A list of the steps to be executed by the wizard is displayed.
           4.      Choose Install.

  • Problems installing SAP NetWeaver 2004 trial version from book DVD

    Hi
    I'm trying to install netweaver trial version from the dvd in Horst Keller's book ABAP Objects but am having problems. I have tried to uninstall and start again but I keep getting the message below. Any suggestions welcome as I'm new to all this.
    (Apr 1, 2008 11:59:57 AM), Install, com.installshield.product.actions.DeleteDirectory, err, An error occurred and product installation failed.  Look at the log file D:\SAP\NSP\log.txt for details.
    (Apr 1, 2008 11:59:57 AM), Install, com.installshield.product.actions.DeleteDirectory, err, ProductException: (error code = 601; message="err"; additional data = [Unable to delete D:\SAP\NSP\_installTemp : ServiceException: (error code = -30020; message = "The directory is not empty.
    (145)"; severity = 0)])
    STACK_TRACE: 14
    ProductException: (error code = 601; message="err"; additional data = [Unable to delete D:\SAP\NSP\_installTemp : ServiceException: (error code = -30020; message = "The directory is not empty.
    (145)"; severity = 0)])
         at com.installshield.product.actions.DeleteDirectory.deleteDirectory(Unknown Source)
         at com.installshield.product.actions.DeleteDirectory.install(Unknown Source)
         at com.installshield.product.service.product.PureJavaProductServiceImpl.installProductAction(Unknown Source)
         at com.installshield.product.service.product.PureJavaProductServiceImpl$InstallProduct.getResultForProductAction(Unknown Source)
         at com.installshield.product.service.product.InstallableObjectVisitor.visitComponent(Unknown Source)
         at com.installshield.product.service.product.InstallableObjectVisitor.visitInstallableComponents(Unknown Source)
         at com.installshield.product.service.product.InstallableObjectVisitor.visitProductBeans(Unknown Source)
         at com.installshield.product.service.product.PureJavaProductServiceImpl$InstallProduct.install(Unknown Source)
         at com.installshield.product.service.product.PureJavaProductServiceImpl$Installer.execute(Unknown Source)
         at com.installshield.wizard.service.AsynchronousOperation.run(Unknown Source)
         at java.lang.Thread.run(Unknown Source)

    Hello Sharon,
    I don't know this book you've mentioned, but perhaps it's the same trail version as you can download from SAP.
    To uninstall it please go through the steps provided in the first part of the following site --> link
    Then try to delete the D:SAPNSP-folder again.
    Also please check your services-file under C:WINDOWSsystem32driversetc that there aren't any entries like NSP left.
    Regards,
    Norman Schröder

  • How Do I determine what version of Oracle I am running?

    Is there som sort of command that you can run in Oracle to determine what version you are running? I cannot find this anywhere!

    hi ken h r u ?
    i'm not a dba but from ur question i find the answer within 2 minutes
    try this query in SQLPlus
    select * from v$version ;
    and tell me what is the results .
    regards
    null

  • How do I determine what version of CUPS I have?

    I have been using Gimp-Print and am now upgrading to Gutenprint which requires cups 1.1.15 or newer. How do I find out which I have? I am running 10.2.8.
    G4 mirrordoor   Mac OS X (10.2.x)   epson stylus photo 1280

    Greg is correct.
    Jaguar used version 1.1.15
    Panther used version 1.1.20
    Tiger uses version 1.1.23
    You can determine your version in several ways. The geeky way to find out is to use the Terminal and use the command:
    cups-config --version
    The easier way is to click on this link. This will display the CUPS web interface from your own computer. The CUPS version will be in the title bar for the web page.
    Matt
    Mac Mini; B&W G3/300    

  • How to determine full version of latest adobe reader

    Hi,
    How can I determine full version of latest Adobe Reader without installing Adobe Reader?
    I mean I need to know 4th digit of version, it is the most important for me.
    Adobe Shockwave and Flashdownload pages provide such informations via JSON from
    HTTP request.
    Reader download website shows me only 3 digits 10.1.3 and I need to read 10.1.3.23
    to automate my security checker.
    Thanks in advance for reply.
    David

    daviddavid3 wrote:
    No it's not true. latest version is 10.1.3.23.
    Latest digit is probably security patch.
    The latest digit is the build number.  This may be different for different modules; you may find DLLs that have a higher build number than AcroRd32.exe
    If there is a new security release, it will be identified by the first three digits.

  • How to get the latest version from DTR

    Hi all,
              I have all the latest code in my system 1 and i checkined the activites.Now i want all that code in my system 2.
    Now i used sync from sources to get the lateset code.
    But i am not able to get all the files and the build is getting failed.
    Can any one plz help me out
    Regards
    Padma N

    Hi,
             Inorder to get the lateset version from DTR i used the procedure given by you.But at the second time if i want to get the lateset version from DTR wat to do??I didnt find the option of create project again because i already have to project in my workspace.
    wat to do inorder to get the lateset source code from DTR 2nd time???
    Regards
    Padma N

  • [svn:osmf:] 18011: 1. Fix bug FM-1086, change OSMF version from 1.41 to 1.5

    Revision: 18011
    Revision: 18011
    Author:   [email protected]
    Date:     2010-10-04 16:45:07 -0700 (Mon, 04 Oct 2010)
    Log Message:
    1. Fix bug FM-1086, change OSMF version from 1.41 to 1.5
    2. Misc code modifications
    Ticket Links:
        http://bugs.adobe.com/jira/browse/FM-1086
    Modified Paths:
        osmf/trunk/framework/OSMF/org/osmf/elements/F4MLoader.as
        osmf/trunk/framework/OSMF/org/osmf/net/NetConnectionFactory.as
        osmf/trunk/framework/OSMF/org/osmf/utils/Version.as
        osmf/trunk/framework/OSMFTest/org/osmf/media/pluginClasses/TestPluginManager.as

    I chroot into workdir. uncommented en_US.UTF-8 in /etc/locale.gen, run locale-gen and now get this inside the chroot.
    [root@dArch2 releng]# chroot work/x86_64/root-image/
    [root@dArch2 /]# locale
    LANG=en_US.UTF-8
    LC_CTYPE="en_US.UTF-8"
    LC_NUMERIC="en_US.UTF-8"
    LC_TIME="en_US.UTF-8"
    LC_COLLATE="en_US.UTF-8"
    LC_MONETARY="en_US.UTF-8"
    LC_MESSAGES="en_US.UTF-8"
    LC_PAPER="en_US.UTF-8"
    LC_NAME="en_US.UTF-8"
    LC_ADDRESS="en_US.UTF-8"
    LC_TELEPHONE="en_US.UTF-8"
    LC_MEASUREMENT="en_US.UTF-8"
    LC_IDENTIFICATION="en_US.UTF-8"
    LC_ALL=
    this looks alright to me. Any more suggestions?
    It's the first time I use a custom-repo and I set it up only for this purpose. So yes, it's up to date and can be used outside the chroot. Also a different package I put from AUR into my custom-repo installs fine and doesn't give this error.
    How else could I test the custom-repo?

  • Unable to import software component version  from sld

    hi,
    i have also problem with "import software componenet version "
    i got a message like
    "unable to import software component version from
    system landscape directory ......."
    than i gone for SLDCHECK...i got an error it is ............
    calling function LCR_LIST_BUSSINESS_SYSTEM
    Retreiveing data from the sld server function call returned exception code 4
    connection to sld does not work
    check sld function and configuration
    what that i have to do ...to make it work ....please give me any solution for that please give me detailed info
    with regards

    Hi,
    Make sure you have did all the configuration.....
    http://help.sap.com/saphelp_nw70/helpdata/EN/c9/7a1041ebf0f06fe10000000a1550b0/frameset.htm
    cheers
    Sunil.

Maybe you are looking for

  • T-code for stock

    friends, i have moving price and quantify? please tell me how to check the stock value? i will give full posting

  • Can't use iCloud or restore my iPhone because of old apple ID

    I recently changed the email address on my apple ID. When I updated to iOS 7, iCloud decided it wanted to use my old email address. I don't think there is any way to simply log into a different iCloud account. When I try to delete the account, it ask

  • Mail Merge Application

    In Mail Merge application, I tried the following but on both ocassions kept getting error : 1. Created document in WORDPAD and saved it as RTF 2. Opened MS-WORD and saved it as RTF document What is the procedure for creating new document ? abhay

  • HELP cant get songs on the ipod

    itunes says that the ipod has been updated but when i go to use it it flashes green/orange and doesnt make any noise.   Windows XP Pro     Windows XP Pro  

  • 10.5.3 Update Failed, Rendered iMac unusable..

    After my computer froze during the v10.5.3 upgrade, I held the power button down to turn it off and then restart. Since it was turned off then the computer hasn't been usable since. So far this is what I have done to try to remedy the issue: - Reset