AD update manager attibute by employeeID

Hello,
I want to find users in AD by employeeID. and add new manager by employeeID from next row.
I found this script and i want change searching ManagerDN by sAMAccountName to
searching by employeeID
Can someone help how edit this script?
My example file
cn,sn,c,l,st,title,description,postalCode,postOfficeBox,physicalDeliveryOfficeName,telephoneNumber,facsimileTelephoneNumber,givenName,co,department,company,streetAddress,employeeNumber,employeeID,manager,mobile
XXXXX XXXXX,xxxxxxxx,EN,XXXXXX,OXX,,X,02-672,1010OTC4,XXX,,,XXX,,,,"00000000","03203","03233",
My employeeID is "03203" my Manager employeeID is "03233"
How  to find my manager by employeeID and set his DN to manager attribute in AD ?
Script:
OPTION EXPLICIT ' Variables must be declared
' * Instructions
' Edit the variables in the "Setup" section as required.
' Run this script from a command prompt in cscript mode.
' e.g. cscript usermod.vbs
' You can also choose to output the results to a text file:
' cscript usermod.csv >> results.txt
' * Constants / Decleration
Const adOpenStatic = 3
Const adLockOptimistic = 3
Const adCmdText = &H0001
Const ADS_PROPERTY_CLEAR = 1
DIM strSearchAttribute
DIM strCSVHeader, strCSVFile, strCSVFolder
DIM strAttribute, userPath
DIM userChanges
DIM cn,cmd,rs
DIM objUser
DIM oldVal, newVal
DIM objField
DIM blnSearchAttributeExists
' * Setup
' The Active Directory attribute that is to be used to match rows in the CSV file to
' Active Directory user accounts. It is recommended to use unique attributes.
' e.g. sAMAccountName (Pre Windows 2000 Login) or userPrincipalName
' Other attributes can be used but are not guaranteed to be unique. If multiple user
' accounts are found, an error is returned and no update is performed.
strSearchAttribute = "sAMAccountName" 'User Name (Pre Windows 2000)
' Folder where CSV file is located
strCSVFolder = "C:\"
' Name of the CSV File
strCSVFile = "usermod.csv"
' * End Setup
' Setup ADO Connection to CSV file
Set cn = CreateObject("ADODB.Connection")
Set rs = CreateObject("ADODB.Recordset")
cn.Open "Provider=Microsoft.Jet.OLEDB.4.0;" & _
"Data Source=" & strCSVFolder & ";" & _
"Extended Properties=""text;HDR=YES;FMT=Delimited"""
rs.Open "SELECT * FROM [" & strCSVFile & "]", _
cn, adOpenStatic, adLockOptimistic, adCmdText
' Check if search attribute exists
blnSearchAttributeExists=false
for each objField in rs.Fields
if UCASE(objField.Name) = UCASE(strSearchAttribute) then
blnSearchAttributeExists=true
end if
Next
if blnSearchAttributeExists=false then
MsgBox "'" & strSearchAttribute & "' attribute must be specified in the CSV header." & _
VbCrLf & "The attribute is used to map the data the csv file to users in Active Directory.",vbCritical
wscript.quit
end if
' Read CSV File
Do Until rs.EOF
' Get the ADsPath of the user by searching for a user in Active Directory on the search attribute
' specified, where the value is equal to the value in the csv file.
' e.g. LDAP://cn=user1,cn=users,dc=wisesoft,dc=co,dc=uk
userPath = getUser(strSearchAttribute,rs(strSearchAttribute))
' Check that an ADsPath was returned
if LEFT(userPath,6) = "Error:" then
wscript.echo userPath
else
wscript.echo userPath
' Get the user object
set objUser = getobject(userpath)
userChanges = 0
' Update each attribute in the CSV string
for each objField in rs.Fields
strAttribute = objField.Name
oldval = ""
newval = ""
' Ignore the search attribute (this is used only to search for the user account)
if UCASE(strAttribute) <> UCASE(strSearchAttribute) and UCASE(strAttribute) <> "NULL" then
newVal = rs(strAttribute) ' Get new attribute value from CSV file
if ISNULL(newval) then
newval = ""
end If
' Special handling for common-name attribute. If the new value contains
' commas they must be escaped with a forward slash.
If strAttribute = "cn" then
newVal = REPLACE(newVal,",","\,")
end If
' Read the current value before changing it
readAttribute strAttribute
' Check if the new value is different from the update value
if oldval <> newval then
wscript.echo "Change " & strAttribute & " from '" & oldVal & "' to '" & newVal & "'"
' Update attribute
writeAttribute strAttribute,newVal
' Used later to check if any changes need to be committed to AD
userChanges = userChanges + 1
end If
end If
next
' Check if we need to commit any updates to AD
if userChanges > 0 then
' Allow script to continue if an update fails
on error resume next
err.clear
' Save Changes to AD
objUser.setinfo
' Check if update succeeded/failed
if err.number <> 0 then
wscript.echo "Commit Changes: Failed. " & err.description
err.clear
else
wscript.echo "Commit Changes: Succeeded"
end if
on error goto 0
else
wscript.echo "No Changes"
end if
end If
userPath = ""
rs.MoveNext
Loop
' Cleanup
rs.close
cn.close
' * End of script
' * Functions
' Reads specified attribute and sets the value for the oldVal variable
Sub readAttribute(ByVal strAttribute)
Select Case LCASE(strAttribute)
Case "manager_samaccountname"
' special handling to allow update of manager attribute using sAMAccountName (UserName)
' instead of using the distinguished name
Dim objManager, managerDN
' Ignore error if manager is null
On Error Resume Next
managerDN = objUser.Get("manager")
On Error GoTo 0
If managerDN = "" Then
oldVal=""
Else
Set objManager = GetObject("LDAP://" & managerDN)
oldVal = objManager.sAMAccountName
Set objManager=Nothing
End If
Case "terminalservicesprofilepath"
'Special handling for "TerminalServicesProfilePath" attribute
oldVal=objUser.TerminalServicesProfilePath
Case "terminalserviceshomedirectory"
'Special handling for "TerminalServicesHomeDirectory" attribute
oldVal = objUser.TerminalServicesHomeDirectory
Case "terminalserviceshomedrive"
'Special handling for "TerminalServicesHomeDrive" attribute
oldVal=objUser.TerminalServicesHomeDrive
Case "allowlogon"
' Special handling for "allowlogon" (Terminal Services) attribute
' e.g. 1=Allow, 0=Deny
oldVal=objUser.AllowLogon
Case "password"
' Password can't be read, just return ****
oldVal="****"
Case Else
on error resume next ' Ignore error if value is null
' Get old attribute value
oldVal = objUser.Get(strAttribute)
On Error goto 0
End Select
End Sub
' updates the specified attribute
Sub writeAttribute(ByVal strAttribute,newVal)
Select Case LCASE(strAttribute)
Case "cn" 'Special handling required for common-name attribute
DIM objContainer
set objContainer = GetObject(objUser.Parent)
on error resume Next
objContainer.MoveHere objUser.ADsPath,"cn=" & newVal
' The update might fail if a user with the same common-name exists within
' the same container (OU)
if err.number <> 0 Then
wscript.echo "Error changing common-name from '" & oldval & "' to '" & newval & _
"'. Check that the common-name is unique within the container (OU)"
err.clear
End If
on Error goto 0
Case "terminalservicesprofilepath"
'Special handling for "TerminalServicesProfilePath" attribute
objUser.TerminalServicesProfilePath=newVal
Case "terminalserviceshomedirectory"
'Special handling for "TerminalServicesHomeDirectory" attribute
objUser.TerminalServicesHomeDirectory=newVal
Case "terminalserviceshomedrive"
'Special handling for "TerminalServicesHomeDrive" attribute
objUser.TerminalServicesHomeDrive=newVal
Case "allowlogon"
' Special handling for "allowlogon" (Terminal Services) attribute
' e.g. 1=Allow, 0=Deny
objUser.AllowLogon=newVal
Case "password"
' Special handling for setting password
objUser.SetPassword newVal
Case "manager_samaccountname"
' special handling to allow update of manager attribute using sAMAccountName (UserName)
' instead of using the distinguished name
If newVal = "" Then
objUser.PutEx ADS_PROPERTY_CLEAR, "manager", Null
Else
Dim objManager, managerPath, managerDN
managerPath = GetUser("sAMAccountName",newVal)
If LEFT(managerPath,6) = "Error:" THEN
wscript.echo "Error resolving manager DN:" & managerPath
Else
SET objManager = GetObject(managerPath)
managerDN = objManager.Get("distinguishedName")
Set objManager = Nothing
objUser.Put "manager",managerDN
End If
End If
Case ELSE ' Any other attribute
' code to update "normal" attribute
If newVal = "" then
' Special handling to clear an attribute
objUser.PutEx ADS_PROPERTY_CLEAR, strAttribute, Null
Else
objUser.put strAttribute,newVal
End If
End Select
End Sub
' Function to return the ADsPath of a user account by searching
' for a particular attribute value
' e.g. LDAP://cn=user1,cn=users,dc=wisesoft,dc=co,dc=uk
Function getUser(Byval strSearchAttribute,strSearchValue)
DIM objRoot
DIM getUserCn,getUserCmd,getUserRS
on error resume next
set objRoot = getobject("LDAP://RootDSE")
set getUserCn = createobject("ADODB.Connection")
set getUserCmd = createobject("ADODB.Command")
set getUserRS = createobject("ADODB.Recordset")
getUserCn.open "Provider=ADsDSOObject;"
getUserCmd.activeconnection=getUserCn
getUserCmd.commandtext="<LDAP://" & objRoot.get("defaultNamingContext") & ">;" & _
"(&(objectCategory=person)(objectClass=user)(" & strSearchAttribute & "=" & strSearchValue & "));" & _
"adsPath;subtree"
set getUserRs = getUserCmd.execute
if getUserRS.recordcount = 0 then
getUser = "Error: User account not found"
elseif getUserRS.recordcount = 1 then
getUser = getUserRs(0)
else
getUser = "Error: Multiple user accounts found. Expected one user account."
end if
getUserCn.close
end function
Best Regards,

This question has the same problem as this one:
http://social.technet.microsoft.com/Forums/scriptcenter/en-US/155e7882-d327-487b-8f7e-d016e054f98e/
This isn't a scripting question. It is a request for someone to rewrite/fix code for you.
That is not the purpose of this forum. If you need rewrite/fix, you will need to hire someone.
-- Bill Stewart [Bill_Stewart]

Similar Messages

  • Error "A web exception has occurred during file upload" when trying to import ESXi image file into Update Manager

    I'm encountering this error and not sure how to fix, I'm quite new to vCenter so please bear with me.
    I'm trying out vCenter 5.1 with Update Manager 5.1 right now.  No license key has been entered and I still have 50 odd days to try it out.
    2 ESXi hosts are being managed by this vCenter, and they're both running ESXi 4.0
    I'm looking to use Update Manager to try to upgrade the ESXi 4.0 hosts to ESXi 5.1
    I downloaded the image file VMware-VIMSetup-all-5.1.0-799735.iso from VMWare website, and is looking to import it using the Update Manager so I can update the ESXi hosts, but I keep on getting the error:
    File name:     VMware-VIMSetup-all-5.1.0-799735.iso
    Failed to transfer data
    Error was: A web exception has occurred during file upload
    I tried importing it by using vSphere client to connect to vCenter server both remotely and locally, with firewall disabled.
    I've read http://kb.vmware.com/selfservice/microsites/search.do?language=en_US&cmd=displayKC&externalId=1026602
    I've disabled firewall, and there is no anti-virus program on the server.  I've also restarted the machine several times, to no avail, I didn't reinstall update manager because the whole Windows and VCenter installations are clean from scratch.
    I logged into the vSphere Client using Active Directory credentials, and I've made all Domain Admins (which my account is a member of) part of the administrator group on the vCenter server. I can't log in using admin@System-Domain because it tells me I don't have permissions for it, I still haven't really had the chance to figure out why that is and not sure if that makes a difference.
    Also, I'm fairly certain I'm using the right image file, as I've burned some DVD's used that image file to upgrade some other ESXi hosts.  Unless there's a special image file I need to download?
    I'm at lost on what I can do to make it work.  Please advise.
    Thanks.

    The ISO file you mentioned is the one for vCenter Server. What you need is the "VMware-VMvisor-Installer-5.1.0-799733.x86_64.iso" (or VMware-VMvisor-Installer-201210001-838463.x86_64.iso) for the ESXi host.
    André

  • Java does not work at all upon using the update manager to update to firefox 3.6.10 for Ubuntu 9.0.4

    OS: Ubuntu 9.0.4
    Browser: Firefox 3.6.10
    upon updating to firefox 3.6.10, java does not work at all.
    websites that use java do not work at all anymore, when they worked just fine before the updating thru update manager. e.g. hulu website cannot play any of the shows.
    i can give the folder of bookmarked pages i tried.
    how to do that on here, i've yet to see if possible.
    i can even give saved text from the terminal concerning certain attempts.
    when i updated thru update manager, it gave some weird java plugin that wasn't there before "The IcedTea Web Browser Plugin IcedTea6 Java Web Browser Plugin (execution of applets on webpages)".
    i uninstalled this as instructed by an answer found in one of the pages i saved, cuz it was conflicting w/another java program the updater said i needed. right now, i don't remember for sure what it was. it perhaps was realplayer flash or Java itself. w/all the hours/days of searching i put in, it's difficult if not downright impossible for me to remember all the specifics of what i tried.
    i've searched throughout many webpages (including many searches on mozilla, ubuntu, java, etc) for instruction in fixing the problem.
    oh, and incidentally, on the Java site, when i try the verify test of Java, firefox pops up with that yellow bar right below the slew of tabbed website windows, giving the statement "additional plugins are required to display all the media on this page. (w/link to) install missing plugins ." which is what i do, go thru the requesting plugin installation. it comes up with, guess what, the IcedTea Java Plugin. i click on the 'next' in the "Plugin Finder Service" box that pops up, & all it gives me is "No plugins were installed. IcedTea ...Plugin failed. and the link 'find out more about plugins or manually find missing plugins'". the link takes me to some of the very things/plugins that wouldn't install in the first place. the Java test failure is a LOL funny, as what plugin it is saying is required (IcedTea) is a recommended alternate program to display the very test in the first place.
    i followed the given instructions on those many searched pages, in every case (barring what i may have just plain missed), but to no avail.
    i've even gone to the point of trying to reinstall the previous 3.5.13 firefox version, from mozilla site. even that wouldn't install.
    i've tried installing Java for my sys direct from it's site. nada.
    now it's time for me to post the problem & perhaps someone will come up with some kind of "dummy" way to fix it.
    until then many sites a regularly use are totally useless to me on this fast puter.
    the only way i can get to use such sites, are two choices: 1. use a dinosaur laptop, which is slower than molasses & cannot handle to any streaming stuff, or 2. use an available internet access puter at the library. but useage for ea person per day is limited to only one hour a day. and one can end up waiting for an hour or more ( in the busiest periods) to even get to use one.
    so, is there anyone at all, who knows any for-sure working fix for this problem?
    thanks muchly :^D
    p.s. i can't pay anybody any money for such help, as is required in certain sites (e.g. Java website), cuz i don't have any.
    i can pay in labor tho, if there is someway to find someone who can physically be at this puter w/me, taking me step-by-step
    sorry for the 20-pg essay. i hope it was all clearly understood. if, not, well, clear communication is always what is needed, ask away.

    Your above posted system details show outdated plugin(s) with known security and stability risks.
    *Shockwave Flash 9.0 r999
    Update the [[Managing the Flash plugin|Flash]] plugin to the latest version.
    *http://www.adobe.com/software/flash/about/
    In Firefox 3.6 and later versions you need the Next-Generation Java™ Plug-In present in Java 6 U10 and later (Linux: libnpjp2.so; Windows: npjp2.dll).
    http://java.com/en/download/faq/firefox_newplugin.xml
    See also http://java.sun.com/javase/6/webnotes/install/jre/manual-plugin-install-linux.html

  • Remote update manager and ausst

    Hello,
    I try to set up automatic updates for all creative cloud applications in our company. The AUSST is already working and a web-directory exists, but there are still some problems I cannot solve yet.
    1. Does the remote udpate manager also use the AdobeUpdater.Overrides? If not, how can I use our internal AUSST Web Server for the remote updates?
    2. Which option in the Creative Cloud Packager creates the folder \ProgramData\Adobe\AAMUpdater\1.0\ ?
    3. Where does the Adobe Update Manager save the .overrides-file I chose in the Adobe Update Manager? Does this file also apply for the Remote Update Manager?
    4. Is there any way to change the extended configuration parameters for a package after the installation
    Thanks and regards,
    Tobias

    Hi Tobias,
    Please find the answers outlined below.
    1. Does the remote update manager also use the AdobeUpdater.Overrides? If not, how can I use our internal AUSST Web Server for the remote updates?
    Ans: Setup RUM with AUSST : Creative Cloud Help | Using Adobe Remote Update Manager
    2. Which option in the Creative Cloud Packager creates the folder \ProgramData\Adobe\AAMUpdater\1.0\ ?
    Ans : Creative cloud packager doesn't create this folder. this is being created while deploying the update payloads.
    3. Where does the Adobe Update Manager save the .overrides-file I chose in the Adobe Update Manager? Does this file also apply for the Remote Update Manager?
    Ans: Override.xml is being generated manually using Adobe update server setup tool. In case you install the package without setting up an update sever under package configuration, it generates AdobeUpdaterAdminPrefs.dat.
    4. Is there any way to change the extended configuration parameters for a package after the installation
    Ans : Package configuration can't be changed once created once created.
    Hope this helps.
    Let me know in case you would need any further clarification.
    Thanks,
    Ashish

  • Remote Update Manager on Yosemite doesn't start

    Hi to all, I have recently updated my 15 iMac (year 2012) to Yosemite.
    After the upgrade, the Adobe Remote Update Manager tool doesn't start, with an error 1.
    In the console, I see these lines:
    Any suggestions?
    Many thanks

    Same problem here on my wife's mid-2012 Macbook Air. Really annoying.

  • Remote Update Manager with AAMEE 2.1 deployments.

    Hi,
    I've noticed the AAMEE 3.1 Beta has some new options that integrate with Remote Update Manager and CS6 installation packages, that allows you disable updates, but still run them with Remote Update Manager.  If I've deployed and Adobe CS5.5 package built with AAMEE 2.1, with the ability to install updates disabled, will I still be able to use Remote Update Manager to install updates to those deployments?  Or will I need to continue to deploy them manually?  If I want to deploy CS5.5 and use Remote Update Manager for updates, what settings should I be using in AAMEE 2.1 when I build my packages?
    Thanks,
    ~Ted

    Hi Ted,
    RUM can also be used with CS5 & CS5.5 and by the sounds of it would fit in with your current configuration very well. If user's are non admins or you do not want each client pulling in there updates automatically then we would suggest turning off client updates in AAMEE and then using RUM.
    Have you looked at setting up AUSST in your environment ? it is great to use in conjunction with RUM but you can of course just use RUM if you prefer.
    Cheers
    Karl
    CS Enterprise Systems Engineer

  • Remote Update Manager missing exception apps

    Hi all,
    Can anyone explain to me why remote update manager or even the Update GUI does not include any of the exception deployed apps like Lightroom or Acrobat? I get users asking us to update these for us when they open the app as the pop up appears.
    We have automated all the standard apps' updates via remote update manager but the cannot include the other exception ones. Can anyone help me with this one? I want to automate all the updates.
    If it isn't implemented yet then I'd like it to be since we lock admin rights from our users for security reasons.
    Thanks,
    Josh.

    Hi all,
    Can anyone explain to me why remote update manager or even the Update GUI does not include any of the exception deployed apps like Lightroom or Acrobat? I get users asking us to update these for us when they open the app as the pop up appears.
    We have automated all the standard apps' updates via remote update manager but the cannot include the other exception ones. Can anyone help me with this one? I want to automate all the updates.
    If it isn't implemented yet then I'd like it to be since we lock admin rights from our users for security reasons.
    Thanks,
    Josh.

  • Remote Update Manager doesn't recognize applicable updates

    Hi,
    We have a script scheduled to run Remote Update Manager on one of our client machines. This machine is currently running OSX 10.8.5 and Adobe Creative Cloud. When looking at Creative Cloud directly, we can clearly see that there are updates available for our Adobe products. Remote Update Manager, however, does not recognize these updates and will therefore not automatically update. This prevents the user from working as they do not have access to administrative credentials used to update these applications.
    I have included an example of the returned messages by Remote Update Manager. These logs are pulled as of this morning but, as you can see, still reflect an outdated entry of 10/17/13.
    | UpdaterCore library initialized successfully.
    10/17/13 09:48:24:600 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | **************************************************
    10/17/13 09:48:24:600 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | Starting UpdaterCore CheckForUpdate...
    10/17/13 09:48:25:186 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | CheckForUpdates completed successfully.
    10/17/13 09:48:25:186 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | **************************************************
    10/17/13 09:48:25:186 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | Starting UpdaterCore DownloadUpdates...
    10/17/13 09:48:25:188 | [WARN] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | No new applicable Updates. Seems like all products are up-to-date.
    10/17/13 09:48:25:188 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | **************************************************
    10/17/13 09:48:25:189 |
    I was wondering if you had any advice on the next steps to resolve.
    Thanks,
    Evan

    Some links that may help
    -Team Installer http://forums.adobe.com/thread/1363686?tstart=0
    -http://helpx.adobe.com/creative-cloud/packager.html
    http://forums.adobe.com/community/download_install_setup/creative_suite_enterprise_deploym ent

  • Remote Update Manager - Acrobat Pro

    Hello everyone,
    Please review this snippit from the Remote Update Manager (RUM) documentation.
    Note: Remote Update Manager is meant only for a subsection of Adobe Desktop products. It can not be used for browser plug-ins such as Flash Player and for Adobe Reader, Acrobat Professional, and Adobe AIR application updates.
    I ask the question... WHY?
    Why, at the very least isn't Acrobat Pro part of the Adobe Update Server Setup Tool (AUSST) and RUM configuration?
    I've finally gotten my Adobe udate server working and created a Scheduled Task to run the incremental update everyday. Perfect.
    Now I'm implementing the override files on my client machines and creating a Scheduled Tasks to run the RemoteUpdateManager so that my users (as well as myself) do not have to worry about updating the Adobe programs... BUT... one of the programs that we use quite a bit, Acrobat Pro, is not part of this automated update scenario.
    So, I'm left still updating Acrobat manually which almost, but not quite, defeats the purpose of AUSST & RUM.
    Can anyone from Adobe tell me whether there are plans to add Acrobat Pro to the automated updating procedure mentioned above?
    Please say yes.
    I'm so close to being at the point where the Adobe updates are completely automated. Adding Acrobat Pro to the list would be like hitting a grand slam in the 9th inning to win the game.
    Thanks in advance.

    Markus, thank you for the information.
    First, If Acrobat is not a creative product then it shouldn't be offered in the CC collection of programs.
    Second, Things being the way they are - Acrobat being deployable with the CC programs - it should be updated the same way as the CC programs. It would just make it nice and tidy and dare I say efficient.
    I will check out the link to the tools. Great, more software to download, install and configure.

  • Remote Update Manager does not exit

    I'm trying to use Remote Update Manager to update PCs in our domain, but RemoteUpdateManager.exe does not exit, it just hangs. The log looks like this
    11/04/14 15:19:27:374 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | ##################################################
    11/04/14 15:19:27:374 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | ##################################################
    11/04/14 15:19:27:374 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | Launching the RemoteUpdateManager...
    11/04/14 15:19:27:374 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | RemoteUpdateManager version is : 1.7.0.25 (BuildVersion: 1.6; BuildDate: Tue Sep 02 2014 07:02:05 )
    11/04/14 15:19:27:374 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | **************************************************
    11/04/14 15:19:27:374 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | Initializing UpdaterCore Library...
    11/04/14 15:19:27:484 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | UpdaterCore library initialized successfully.
    11/04/14 15:19:27:484 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | **************************************************
    11/04/14 15:19:27:484 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | Starting UpdaterCore CheckForUpdate...
    11/04/14 15:19:29:730 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | CheckForUpdates completed successfully.
    11/04/14 15:19:29:730 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | **************************************************
    11/04/14 15:19:29:730 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | Starting UpdaterCore DownloadUpdates...
    11/04/14 15:19:29:730 | [WARN] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | No new applicable Updates. Seems like all products are up-to-date.
    11/04/14 15:19:29:730 | [INFO] |  | AAMEE | Utilities | RemoteUpdateManager |  |  | 2164 | **************************************************
    What I'm not getting is the "Ending the RemoteUpdateManager Return Code (0)" part.
    I'm using the latest AAMEE.
    Are there any further things I can do to see why this is happening?

    It seems to be related to the new Creative Cloud Packager (version 1.7).
    All the packs I had made with 1.5 exited correctectly.
    All the packs I have make with 1.7 dont exit.
    And it seems to be impossible to go back to 1.5 ....
    I think the problem might be with this line (from uob_csis but I get the exact same):
    RemoteUpdateManager version is : 1.7.0.25 (BuildVersion: 1.6; BuildDate: Tue Sep 02 2014 07:02:05 )
    There seems to be an incoherence between the version and the buildversion.

  • Remote update manager creative cloud app

    Hello,
    remote update manager won't update the creative cloud app for windows. Is it intended, that we need a separate tool to update the CC-App? Are there any manuals describing how to automatically update it?
    Since users in out company don't have admin privileges, i'd like to do it with a tool such as the remote update manager - but RUM will update all other adobe applications, just not the creative cloud app...
    Thanks and regards,
    Tobias

    Hi Ashubijalwan1,
    just to make sure there is no misunderstanding:
    All Creative Suite Apps are updated except for the app with the name "Adobe Creative Cloud".
    When I use the Creative Cloud Packager and select solely the core components, "Adobe Creative Cloud" is a part of them. The program itself shows a message saying that an update is necessary, but RUM won't update "Adobe Creative Cloud".
    Best regards,
    Tobias

  • New to solaris---is update manager working correctly?

    well as my subject says I am new to solaris having put it on an pc bout a week ago. as I am using the "free" verson (not open solaris) I knew I would not be entitled to certain goodies but seem to have run into an issue getting the updates I (presumably) am entitled to. simply put I open up the solaris application "update manager" which is on my desktop saying "updates available". now upon initially launching the app I specified that I was using the free version (well it let me register without a code so I assume sun knows my status), and then selected the option to put a check mark next to all available updates. well after waiting like a full day with it showing that is was still in the process up updating I eventually aborted the process. I then tried installing a couple of the updates and though it took a while it worked. so I selected 3 of 4 more and again the update manager showed that I was updating but nothing was happening (to my knowledge). after several hours I aborted the app again. so what am I doing wrong. first off I am assuming that what sun presents to me is what is actually available to me using the free unregistered version of solaris. why then would updates fail? btw I know some linux (not an expert) and I figured that behind the scenes update manager was checking for dependencies and installing what I needed from sun repos. but of course I could be way off bass here. so what gives? thanks much in advance.

    first off I am assuming that what sun presents to me is what is actually available to me using the free unregistered version of solaris.No. Update Manager will show you everything but will only allow you to install basically security and a small subset of other patches.
    When you ran through the Solaris registration GUI you had a chance to enter a support contract #. If you chose not to enter one or if you want to use it without registering then you only get access to a few of the patches.
    alan

  • Error while installing NWDS CE 7.1 during update manager stage

    Hi,
    I have downloaded the EHP 1 for SAP NetWeaver Developer Studio (NWDS) 7.1 setup and trying to install.
    But when the update manager is trying to download all features i get the following errors.
    Unable to complete action for feature "SAP NetWeaver Developer Studio Java EE" due to errors.
      Unable to complete action for feature "SAP NetWeaver Developer Studio Facades" due to errors.
    Execution failed! Commmand: "msiexec.exe /norestart /qb /i librfc32.msi /lvx C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log ALLUSERS=2 REBOOT=ReallySuppress". Exit value: "1639". Working directory: "D:\nwds\IDE\eclipse\features\com.sap.netweaver.developerstudio.facades_7.1.0.081107100357". Log file: "C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log".
        Execution failed! Commmand: "msiexec.exe /norestart /qb /i librfc32.msi /lvx C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log ALLUSERS=2 REBOOT=ReallySuppress". Exit value: "1639". Working directory: "D:\nwds\IDE\eclipse\features\com.sap.netweaver.developerstudio.facades_7.1.0.081107100357". Log file: "C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log".
      Unable to complete action for feature "SAP NetWeaver Developer Studio Facades" due to errors.
        Execution failed! Commmand: "msiexec.exe /norestart /qb /i librfc32.msi /lvx C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log ALLUSERS=2 REBOOT=ReallySuppress". Exit value: "1639". Working directory: "D:\nwds\IDE\eclipse\features\com.sap.netweaver.developerstudio.facades_7.1.0.081107100357". Log file: "C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log".
        Execution failed! Commmand: "msiexec.exe /norestart /qb /i librfc32.msi /lvx C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log ALLUSERS=2 REBOOT=ReallySuppress". Exit value: "1639". Working directory: "D:\nwds\IDE\eclipse\features\com.sap.netweaver.developerstudio.facades_7.1.0.081107100357". Log file: "C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log".
      Execution failed! Commmand: "msiexec.exe /norestart /qb /i librfc32.msi /lvx C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log ALLUSERS=2 REBOOT=ReallySuppress". Exit value: "1639". Working directory: "D:\nwds\IDE\eclipse\features\com.sap.netweaver.developerstudio.facades_7.1.0.081107100357". Log file: "C:\DOCUME1\tuser\Local Settings\Temp\com.sap.netweaver.developerstudio.facades_librfc32.msi_install_standard.log".
    Any clue what this is about.I have crossed the feature verification step  also. My jave environment is also as per required.
    regards
    Bharat

    Hi
    CE EHP 7.1  NWDS knows as BPM doesn't come with installtion as with 7.0 .just double click on splash screen (inside the installation folder)
    two thing are mandatory here
    1. JDK 1.5 installed in system .
    2. In configuration file of the folder (inside the installation folder)put the address of where JDK_1.5 is installed.
    Best Regards
    Satish Kumar

  • Problem in upgrade of update manager 5.5.0 u2d

    Hi,
    I can't upgrade Update Manager from 5.5.0 u1 to 5.5.0 u2d (maybe it's the same that 5.5.0 u2). The installer start to install after asking the login and failed. I found in the release note of Update Manger u2 that install it on a host that have a SQL Server 2008 R2 SP2 may be a problem. I also have a Backup Exec Server on this host that use a SQL Server 2008 R2 SP2. My VMware database is on SQL Server 2008 R2 SP1.
    Here what i found on the release note:
    Update Manager installer stops responding if you already have Microsoft SQL 2008 R2 SP2 database on your system
    If on the system where you are installing the Update Manager server or the UMDS there is an existing instance of Microsoft SQL 2008 R2 SP2 database, when you attempt to install the Update Manager server or the UMDS if you select the option to install the bundled database (Microsoft SQL Server 2008 R2 Express), the installer stops responding.
    Workaround: To workaround this issue, perform the following steps:
    On the machine you are installing the Update Manager server or the UMDS, open a command line interface and type the following command:
    .\redist\SQLEXPR\SQLEXPR_x64_ENU.exe /ACTION=install /IACCEPTSQLSERVERLICENSETERMS /SQLSVCACCOUNT="NT AUTHORITY\SYSTEM" /HIDECONSOLE /FEATURES=SQL /SQLSYSADMINACCOUNTS="BUILTIN\ADMINISTRATORS" /NPENABLED="1" /TCPENABLED="1" /INSTANCENAME=VIM_SQLEXP
    Atempt to install the Update Manager server or the UMDS again.
    I think the workaround work for new install but do you know what i have to do for an upgrade ?

    The version of Update Manger in vSphere 5.5.0 U2d is the same that in vSphere 5.5.0 U2. The version number is 5.5.0.22432

  • How do I install to JBuilder 2008 R2 using update manager.

    I am trying to install OEPE 11g to JBuilder 2008 R2 using the update manager. JBuilder is now Eclipse based. I add the install site, select OEPE to install and get the following error.
    Cannot complete the request. See the details.
    Cannot find a solution satisfying the following requirements Match
    [requiredCapability: org.eclipse.equinox.p2.iu/org.objectweb.asm/[2.2.3,2.2.3]].
    I tried the individual components to narrow down the conflict. I also made sure JBuilder was current. I am new to Eclipse and do not know how to resolve this error. Suggestions?
    Trying to install:
    Oracle Database Tools - 1.1.1.200904131333
    Oracle Enterprise Pack for Eclipse - 1.1.1.200904131333
    Oracle Spring ORM Tools - 1.1.1.200904131333
    Did install:
    JSF Facelets Tools Incubator - 0.1.0.200807291102
    Oracle Common Tools - 1.1.1.200904131333
    Oracle WebLogic Server Tools - 1.1.1.200904131333
    Spring IDE Core (required) 2.2.0v200809261800 (JBuilder 2008 R2 comes with newer version, 2.2.1.v200811281800)

    It seems the SpringIDE comes with JBuilder is not compatible with OEPE.
    Try download the OEPE plugins from
    http://download.oracle.com/otn_software/oepe/ganymede/oepe-ganymede-11.1.1.1.1.200904131333.zip
    and unzip it into the /dropins folder of the JBuilder Eclispe installation directory. Then restart with -clean command line option.

Maybe you are looking for