Include the attribute custom report using the disc

I'm to customize a script provided by Alan Renouf in his PowerGUI Powerpack.  The script I'm customization in the Powerpack is named 'VM disk sizes.

His screenplay does everything we need from a point of view of output except that we can also include a custom attribute (Custom Field) VM as well as the information of the disk space.  I have included the below custom script, please note that this is a script/PowerGUI PowerPack we customize but was initially written and provided by Alan Renouf and all credit for this original work must be given to Alan.

I have included our custom below script and have "in bold Red" line in the script that does not work:

$AllVMs = get-View - ViewType VirtualMachine. Where {-not $_.} Config.Template}
$SortedVMs = $AllVMs | Select *, @{N = "NumDisks"; E={@($_. Guest.Disk.Length)}} | Sort-Object-down NumDisks
{ForEach ($VM to $SortedVMs)
$Details = new-object PSObject
$Details | Add-Member-Name name-value $VM.name - Membertype NoteProperty
$Details | Add-Member - MemberType NoteProperty-name CustomFields-value (($VM.)) CustomFields | %{"$($_. Key) = $($_.) (Value)'}) - join ',')
$DiskNum = 0
Foreach ($disk in $VM. Guest.Disk) {}
$Details | Add-Member-name "drive$ ($DiskNum) path"-MemberType NoteProperty-value $Disk.DiskPath
$Details | Add-Member-Name "Disk$ ($DiskNum) Capacity (MB)"-MemberType NoteProperty-value ([math]: round ($disk.) Capacity / 1 MB))
$Details | Add-Member-Name "Disk$ ($DiskNum) FreeSpace (MB)"-MemberType NoteProperty-value ([math]: round ($disk.) FreeSpace / 1 MB))
$DiskNum ++
} # end foreach nested
$Details.PSTypeNames.Clear)
$Details.PSTypeNames.Add ('Virtu-al'.PowerPack.VMGuestDisks) '
$Details.PSTypeNames.Add ('Virtu-al'.PowerPack.VM) '
$Details
} # end foreach

When you use the Get view as seen on the first line of the script, it appears the CustomField information not available in the generated view.  How to develop the view to include CustomFields/CustomAttributes for each virtual computer in our environment and then report on their subject?

Please let me know if I did a poor job explaining the scenario and what I'm after here.  Any help is greatly appreciated!

Hello, jSun311-

Yes, you are right - there is no such thing as the "CustomFields" property on a managed object VirtualMachine .  You can always get the names and the corresponding values of the custom fields, you just have a little.  For example, you could change the line to:

...## make a comma-separated string that holds the custom field key/value pairs, like "cust0 = myValue0,cust1 = myDateInfo"$Details | Add-Member -MemberType NoteProperty -Name CustomFields -Value (($VM.Value | %{$oCustFieldStrValue = $_; "{0} = {1}" -f ($VM.AvailableField | ?{$_.Key -eq $oCustFieldStrValue.Key}).Name, $oCustFieldStrValue.Value}) -join ",")...

and you should be happy as a clam.

BTW, this call Get-view on your first line could be optimized a little using the - Filter parameter, like:

$AllVMs = Get-View -ViewType VirtualMachine -Filter @{"Config.Template" = "false"}

Pretty minimal in this case, but can be very useful in other scenarios of Get-View.  And, you may want to retrieve only the properties of the managed VirtualMachine object that you plan to use, so that the memory usage is reduced to the minimum, speed is optimized, etc. (do you this by using the - Get-mode property param).

Anyway, how does do for you?

Tags: VMware

Similar Questions

  • Include the attribute custom report (Export-Csv)

    I am writing a script to report on disk / the use of the capacity for each virtual machine in the environment.

    I try to include a column in the generated report (CSV), which includes the CustomField/CustomAttributes for each virtual computer as well as the news of disk capacity.  The report runs fine, but after you export the report to CSV (Export-Csv using) the newly created column just to the custom attribute field displays the following parameters for each line/entry:

    VMware.VimAutomation.ViCore.Impl.V1.Util.ReadOnlyDictionary'2 (System.String, System.String)

    When I use out-file it works, but formatting is very obscured...

    Here's the function/script that I use, I 'bolded in Red' the part of the script which I believe is the origin of the problem:

    Function Get-VMGuestDiskUsage {}
    (param
    [parameter (valuefrompipeline = $true required = $true, HelpMessage = "enter an entity vm")]
    ([VMware.VimAutomation.ViCore.Impl.V1.Inventory.VirtualMachineImpl] $VM)
    {in process
    $ErrorActionPreference = "SilentlyContinue".
    foreach ($disk in $VM. Guest.Disks) {}
    $objDisk = new-Object System.Object
    $objDisk | Add-Member - MemberType NoteProperty-VM name-value $VM. Name
    $objDisk | Add-Member - MemberType NoteProperty-name of Volume-value $disk. Path
    $objDisk | Add-Member - MemberType NoteProperty-CapacityMB name-value ([math]: round ($disk.) Capacity / 1 MB))
    $objDisk | Add-Member - MemberType NoteProperty-FreeSpaceMB name-value ([math]: round ($disk.) FreeSpace / 1 MB))
    $objDisk | Add-Member - MemberType NoteProperty - percent use of name-value ('{0:p2}' f (($disk.))) Capacity - $disk. FreeSpace) / $disk. Capacity))
    $objDisk | Add-Member - MemberType NoteProperty-name CustomFields-value ($VM. CustomFields)
    $objDisk
    }
    }
    }

    Get - VM * | Get-VMGuestDiskUsage | Export-Csv - NoTypeInformation c:\scripts\output\test.csv

    Any help is greatly appreciated!  Also please let me know if I did a poor job explaining the scenario and what I'm after here.

    Hello, jSun311-

    Because the property "CustomFields" itself is an object, and you try to get out of the strings to the CSV format, you must manage the object.  You can replace the line in question by something like:

    $objDisk | Add-Member -MemberType NoteProperty -Name CustomFields -Value (($VM.CustomFields | %{"$($_.Key) = $($_.Value)"}) -join ",")
    

    Which would result in the output for the column that might look like:

    dTestAttrib0 = someValue,dTestAttrib1 = AnotherValue
    

    In other words, there is a list separated by characters of the key/value pairs in the CustomFields property for the virtual machine.

    In addition, if you are interested, you might be able to clean up your code a bit by using the '-property ' New-Object parameter.  As:

    ...foreach ($disk in $VM.Guest.disks) {    New-Object PSObject -Property @{        VM = $VM.Name        Volume = $disk.Path        CapacityMB = [math]::Round($disk.Capacity / 1MB)        FreeSpaceMB = [math]::Round($disk.FreeSpace/1MB)        "Usage%" = "{0:p2}" -f (($disk.Capacity - $disk.FreeSpace) / $disk.Capacity)        CustomFields = ($VM.CustomFields | %{"$($_.Key) = $($_.Value)"}) -join ","    } ## end new-object} ## end foreach...
    

    In this way, you shouldn't bother with calls Add-Member and repetitive cases here.  Enjoy.

  • Custom report - use of web app

    Hello world.

    Is it possible to create a custom report that shows how many times the individual web app components have been viewd over a period of time - say 3 months, 6 months, etc.?

    I looked at and if its there mising I keep it.

    TIA

    Hi Steven,

    This report can be seen through web apps-> point-> the view usage report.  However it can be exported at this point.

    Kind regards

    -Sidney

  • Need help in the development of different customized reports for SCCM 2012 using the Report Builder version 3.0

    Members of the Group of respected

    I need your urgent assistance to solve my problem, if someone who at least somewhat or large information please help me.
    My problem is related to SCCM 2012 and SQL server 2008.
    : - I have to develop a custom reports for SCCM 2012 for one of my clients. I have configured all the settings required for preparing the report, and I have examples of reports provided with sccm 2012.
    I get the problem while developing new relationships, if I have examples of reports that I have studied the corresponding reports. I don't get detailed information from the database to create query and get the desired result. As I have not idea of detail of this database structure in it.
    So I need help to create the query as I am new on this database.
    If anyone understand please give me help or link where I can build the report
    Thanks in advance.

    Forums for this product are here: http://social.technet.microsoft.com/forums/en-US/category/configurationmanager/

  • Hi, I bought a windows xp disk Professional Microsoft a few years ago but never used it how can I cd key for the disc

    Hi, I bought a windows xp disk Professional Microsoft a few years ago but never used it how can I cd key for the disc

    If you bought a copy the retail of Windows key should be included in the box.

    How to get a replacement product key

    Retail Windows:
    If you have lost a product key for the software you purchased separately from your computer, or if your product key does not work, call Microsoft. To locate the phone number, visit the following Microsoft Web site: http://support.microsoft.com/default.aspx?scid=fh; CNTACTMS

    A fee may apply for lost keys.

  • Memory and the use of the disc on my IDS 4235 sensor & 4250.

    My ID sensor memory usage shows a use of 99%, and the hard drive is already 5 of the 15 Gig. Here is the log of "seeing the worm."

    With the help of 398913536 of 1980493824 memory available bytes (99% of use)

    With the help of 5 of the 15 bytes of disk space available (66% of use)

    -only the signature of med and high seriousness is enabled. Why the sensor used this memory?

    -Is this the sensor has IDS to a database that stores the logs which causes the hard drive used space? (considering that she has the management of the IDM)

    - Or any other reason why the hard drive used whereas the large drive space is new and operating time is 2 months?

    -Update of the signature file is adults who took over this large space on the HARD drive?

    Hope - could someone give me an idea why is it so.

    As I said earlier, there is not a problem with the use of disk space. Memory usage bug is fixed in the 5.X product not 4.X. However, there are some good bug fixes in the patch of engineering 4.1(4g).

    The number of real memory usage can be determined from the service account by entering the following command:

    Bash-2, $05 free

    total used free shared buffers cached

    MEM: 1934076 1424896 509180 0 18284 1214536

    -/ + buffers/cache: 192076 1742000

    Swap: 522072 0 522072

    The "Mem:" line and the column 'pre-owned' is the amount of memory (in kilobytes) that

    the command reports "show version". However, this total includes the

    amount 'caching '.

    So in the example above, the actual memory used is (1424896-1214536), or

    210360 KB. It is (210360 / 1934076 * 100), or 10.9% of total memory.

  • What happens on the free space of disks defragmenting the disc.when I used it is reduced. is this real case for all systems?

    What happens on the free space of disks defragmenting the disc.when I used it is reduced. is this real case for all systems?

    Defragmenter free space but can free report incorrect running after the space.

    Run disk cleanup before defragmenting...

  • Windows 8 100% use of the disc on 3 of my computers! Can not find a solution...

    Hello users of Windows 8.

    I'm running Windows 8 on 3 PCs (2 computers laptops, desktop 1) and I'm going to 100% usage of the disk on each of them. It started on one of my laptops, and then my desktop and now (started about 4 days ago) it happens also on my wife's cell phone. I have lived these forums and many others still looking for corrections of over and over again.

    I started having this problem at the beginning of 2013 on my Toshiba laptop. I waited patiently a correction (which is obviously never) until my office started having the same problem and I started to study the problem myself. I ran across countless people who have the same problem as I am. Some find corrections and some did not. Unfortunately have not yet found a solution to one of my computers running windows 8.

    My PC experience this problem at different times. My laptop experience this problem at startup, and which seems to be irregular intervals, throughout the use. My office has the problem, if I run a game or some programs (e.g. Microsoft Word, a CAD program, Firefox etc.).

    The problem that causes this on my desk is related to the SYSTEM in the Task Manager. I opened "Go to details" and he directs me to (NT Kernel System &) which in turn heading C:\Windows\System32\ntoskrnl.exe.

    The problem that causes this on my laptop is related to the SERVICE HOST: LOCAL SERVICE (usually restricted or sometimes without impersonation network). All lead me to a svchost.exe.

    These are the things that I tried on my laptop and desktop:

    1. update of the BIOS (already had updated versions)
    2. Update ALL my drivers
    3. my AV (Avast!) uninstalled and reinstalled
    4. uninstalled my AV (^ ^ ^) and I tried to use MSE
    5. uninstalled all AVs and tried to start the PC
    6 installed all Windows updates
    7. no installed VirtualBox
    8 disabled indexing files on the C: drive
    9. set to High Performance power management (not worked but would have not left like this on my laptop in any case)
    10 disabled the automatic updates
    11. off fragmented my records
    12 optimization of disk turned off
    13 clean my registry with CCleaner
    14 erased all the options in the Indexing Options
    15 Ran SFC/Scannow in a high CMD
    16 set my virtual memory to a custom size (twice the size of physical memory)
    17 disabled some services others have said are causing the problem. Disabled services:
    A. WSearch (Windows Search)
    B. WMPNetworkSvc (Windows Media Player Network Sharing Service)
    C. Defragsvc
    D. PLA
    E. Sysmain (Superfetch - did not work, but still once, even if that were the case I am not leaving this off service)
    18 start in Safe Mode. (No difference)
    19 run "Repair my computer" from the disc of Windows 8
    20 re-installed Windows 8 on my laptop
    21. much more "patches" the list could go on and. Those who I think are relevant mentioned above

    Computers, on which I tried these are:

    My laptop (Toshiba Satellite C75D, stock)
    My office (Custom, Phenom XII 940 BE CPU, Mobo from ASUS m3a78-em, XFX AMD Radeon GPU HD, 6 GB of ram DDR2 7790)

    I have not tried one of these "Bugs" on my wife's cell phone:

    ASUS X501A

    Any help with this would be greatly appreciated.

    I would also like to know why Microsoft has not yet solved this problem. How many people must experience this problem before you decide to do something. I saw people having this problem dating all the way back for 2012. I saw hundreds if not thousands of people having this problem and trying to find patches online, so I guess that many, many more are not of or don't know they have it.

    As customers, what do we have to do? Menace of a petitions signed by restless customers ready to bombard the BBB complaints if nothing is done? I would absolutely describe Windows 8 with this question like a defective product. Is there anything we can do to listen to Microsoft?

    * Yes, you're right.
    I stopped the automatic updates and deleted everything located on: "X:\Windows\SoftwareDistribution\Download."
    He has become much better. Then I disabled the windows swap files. (using the TuneUp Utilities) and even better. and then stopped defragmentation automatic of all readers and also done the Clean Boot and now the problem has disappeared, and the PC flies! Better than ever.

    I hope that the problem will not return again.

    Never go around everything related to windows updates, as I pushed him suddenly a button to use windows update to install a driver and the PC has been locked again and killed at the use of the disc.

    Here this will help you guys :) *.

    Sorry I forgot to mention: D!

    I think so... This o.o. worked... All of a sudden when I deleted the folder... My machine stopped the 99%... Now remains at 1% oo *? ....

    If you'll notice, you did some update Windows or your pc must have... For example, updates could try to settle... When I deleted the folder it took like 10 minutes to remove.

    After waiting like 10 side my drive keeps 2%, it does not go when iddle!

    It's a nice solution, thanks a lot!

    your welcome my friend.

    If the problem is back once again, try to disable the "superfetch" and "prefetch". It's more important that deleting those files and has the greatest effect on performance.

    You can use this guide here:

    http://www.tekrevue.com/Tip/disable-SuperFetch-prefetch-Windows-8/

  • Hello.  I just uninstalled LR 4.1 and reinstalled using the disc.  There is a 4.4 update I tried to install, but he failed both times I tried.  Message says 'Fail' but without code, etc.  It's 2016 and I use windows 7 64-bit.  Is there an access

    Hello.  I just uninstalled LR 4.1 and reinstalled using the disc.  There is a 4.4 update I tried to install, but he failed both times I tried.  Message says 'Fail' but without code, etc.  It's 2016 and I use windows 7 64-bit.  Is there access to the 4.1 just uninstall and fresh install 4.4 from the site?  Is the problem 4.1 and 4.4 no longer supported?

    You can download LR 4.4.1 including the latest update here:

    https://www.Adobe.com/support/downloads/product.jsp?product=113&platform=Windows

    Uninstall the current version of LR, you have it installed, download LR 4.4.1 installer and install it. I don't know what causes your problem with the update, but that a full installer for 4.4.1 can operate without any problems.

  • How to remove the disc VM (using partitions)

    Hi all

    Workstation 11 Pro, Windows 7/10 guest (same behavior), Windows 7 comments.

    Guest has a configured and more data main OS drive disc. This drive is not using a file, rather than using physical access to a partition not used.

    Comments also instant (if that makes a difference)

    Windows 7 host was the original host where the machine has been created

    Windows 10 host is a new facility after upgrade (even machine so that can access all disks)

    I try to remove this data from the virtual machine disk, but will have questions:

    1 VM settings-> delete disk.     Initialize the Workstation States "of sufficient permissions to access the file.

    2. tried in offline mode of the disc in the comments before removing, same result

    3 attempted to create a complete clone of the machine without the disc - same mistake

    4 tried to create a complete clone of the machine with the floppy - cannot be duplicated the machine with physical disks

    5. When you try to start the machine on Windows 10 (new installation), I get a message indicating
    the partition table has changed and I need to remove and add the disk:

    tried to remove and don't add, some of

    b tried just remove, same error as in 1, 2 above

    Note There are no log files entries generated during the boot, so I can't include these here...

    How can I remove this reference on the disc so that I can:

    1. access from two hosts of windows 7 or 10?

    2 clone this machine without the physical disc

    See you soon,.

    Bonny

    You must delete all the snapshots or the clichés associated with this disc to be able to remove the disc hisself. Example, even if you do not, if the drive was there when you did a snapshot, the associated disk cannot be deleted.

  • When you use Adobe Acrobat Pro DC, how do I convert my PDF to Excel and have it include the header and footer from the original PDF? I can't get it on down to the Excel worksheet.

    When you use Adobe Acrobat Pro DC, how do I convert my PDF to Excel and have it include the header and footer from the original PDF? I can convert all information of an organization but the footer and header with no discharge in the excel worksheet.

    Hi trudyb54940538,

    Converting PDF file to sheet Excel spread, header & foot is not included.  I am able to reproduce the problem at my end.

    Thanks for reporting the issue.

    Kind regards
    Nicos

  • SSRS / Custom reports - see the error model

    Hello

    There is a problem in the custom report module (SSRS), the reports were works in version 6.0, but we get the error on the same report 6.1.

    When we tried to bebug the problem, we have found that the custom viewmodel used in the search for the EQT question.

    For example the model EQT visibility does not work.
    Example:

    < Type ParameterType = "PkgSpec" webControl = "ReportingControls/EQTInput.ascx" >

    < model displayVariableIndex '1' = > SearchableView:Config:ProdikaSettings/EQTConfiguration/GSMsvSearchableMultiSelectViews, PackagingSpecViewSingleSelect < / template >

    < / ParameterType >

    Error information:

    Object reference is not set to an instance of an object.

    Description:
    An unhandled exception occurred during the execution of the current web
    request. Please review the stack trace for more information about the error and
    originated in the code.

    Exception details:
    System.NullReferenceException: Object reference not set to an instance of a
    object.


    However, a different point of view model works fine 6.1 and 6.0:

    < Type ParameterType = 'Installation' webControl = "ReportingControls/EQTInput.ascx" >

    < model displayVariableIndex '1' = > SearchableView:Config:ProdikaSettings/EQTConfiguration/PQSSearchableMultiSelectViews, FacilityViewSingleSelect < / template >

    < / ParameterType >

    Wait for the viewmodel change there is no difference between these two configuration of custom report, please let us know, how to solve this problem.

    Kind regards
    Kumar

    Thank you Ivy for us help. We have finally solved this problem, because others benefit I he explains here. Let know if any additional question,

    a. the personalized view eqt file was missing and that we compared and added the custom view

    b. looks like that view reference for custom eqt rose from prodikareporting to webcommon in version 6.1. So, we have updated this reference

  • inventory including the last report date of extinction

    Hello

    I'm new to power cli (about a week to try) and am trying to run a powercli script that will give me a list of off the virtual computer with specific information, including the date, it has been turned off. My script looks like this:

    @"
    ===============================================================================
    Title: vminventory.ps1
    Description: Export VM Information for vCenter in one. CSV file for import into what anyone
    Use:.\vminventory.ps1
    Date: 15/10/2012
    ===============================================================================
    "@
    # Get virtual center to connect to:
    $VCServerName = Read-Host "What is the name of Virtual Center?"
    $ExportFilePath = Read-Host "where you want to export the data?
    $VC = to connect-VIServer $VCServerName
    $Report = @)
    #$VMs = get-file $VMFolder | Get - VM
    $VMs = get - vm | WHERE-object {$_.powerstate - eq "poweredoff"}
    $Datastores = get-Datastore. Select Name, Id
    $VMHosts = get-VMHost | Select Name, Parent
    # Get turned off from the time of the event:
    {ForEach ($VM to $VMs)
    Get-VIEvent-body $VM - MaxSamples ([int]: MaxValue) | where {$_-is [VMware.Vim.VmPoweredOffEvent]} |
    Group-object - property {$_.} Vm.Name} | %{
    $lastPO = $_. Group | Tri-objet-property Createduserid-descending | Select - 1 first | Select Createduserid - ExpandProperty
    New-object PSObject-property @ {}
    VM = $_. Group [0]. Vm.Name
    "The last Poweroff" = $lastPO
    }
    }
    $VMView = $VM | Get-View
    $VMInfo = {} | Select VMName Powerstate, OS, IPAddress, ToolsStatus, host, Cluster, data store, NumCPU, MemMb, DiskGb, SSGOwner, BUSowner, PowerOFF, Note
    $VMInfo.VMName = $vm.name
    $VMInfo.Powerstate = $vm. PowerState
    $VMInfo.OS = $vm. Guest.OSFullName
    $VMInfo.IPAddress = $vm. Guest.IPAddress [0]
    $VMInfo.ToolsStatus = $VMView.Guest.ToolsStatus
    $VMInfo.Host = $vm.host.name
    $VMInfo.Cluster = $vm.host.Parent.Name
    $VMInfo.Datastore = ($Datastores | where {$_.}) ID-match (($vmview.)) Data store | Select - first 1) | Select the value). Value} | Select name). Name
    $VMInfo.NumCPU = $vm. NumCPU
    $VMInfo.MemMb = [math]: round (($vm.)) (MemoryMB), 2)
    $VMInfo.DiskGb = [math]: Round ((($vm.)) Hard drives | Measure-Object-CapacityKB property-sum). Summary * 1 k / 1 GB), 2)
    $VMInfo.PowerOFF = $lastPO
    $VMInfo.SSGOwner = ($vm |) Get-Annotation - CustomAttribute "SSG system owner"). Value
    $VMInfo.BUSowner = ($vm |) Get-Annotation - CustomAttribute "Business system owner"). Value
    $VMInfo.Note = $vm. Notes
    $Report += $VMInfo
    }
    $Report = $Report | Sort-Object VMName
    IF ($Report - don't ' ') {}
    $report | Export-Csv $ExportFilePath - NoTypeInformation
    }
    $VC = disconnect VIServer $VCServerName - confirm: $False

    I can't get to browse and read the power of the events in the log of the events on the virtual machine?  Someone at - it ideas?

    No, my mistake. Which should have been $lastPO.VM.VM.

    I've corrected the above code

    Update: just noticed another typo, it's fixed

  • Not able to open the modal Page by a link attribute of report

    Dear all,

    Not able to open the Page modal by an attribute of report link, kindly help me...

    I use skills builders modal plugin page...

    Thank you and best regards,

    Madonna

    Here's what you have to do.

    You set up your link column as follows:

    Text link: what you want

    Link attributes: onclick = "return false;" class = "open_modal".

    Target: Page in the present application

    : The page number to open in your modal window

    You configure your dynamic action like this:

    Event: click on

    Selection type: jQuery selector

    jQuery selector: .open_modal

    (Notice the period at the beginning!)

    Action: SkillBuilders Page modal [plugin] (2.0.0)

    Scope of the event: Dynamics

    And finally, in your real Action (SkillBuilders modal Page (2.0.0)), location of the URL must be defined as an attribute of the element triggering.

    And that's about all it takes.

    I hope this helps.

  • Number of column in the custom report of DBI

    Hi all

    I created a custom report of DBI. In Start Time filed must show the Date and time (ie. 01/04/2009 17:14:14).

    But in my custom report, show that the date (time hides).

    I tried to update the field that displays the date type. There is a single value that appeared.

    Please help me solve this problem. Its very urgent.

    Thank you and best regards,
    Muthu

    I build the custom report DBI for the query below and I presented my release of Toad.

    Update the query in your report to use one of the above mentioned functions to get the desired format.

    Select USER_ID, new_login_name, START_TIME, END_TIME LOGIN_TYPE of
    fnd_logins

    Output of Toad, Date and time is filling not in DBI output.

    Release of Toad

    USER_ID NEW_LOGIN_NAME START_TIME, END_TIME LOGIN_TYPE

    0 FORM 2011-10-13 23:35 10/13/2011 23:35
    0 FORM 2011-10-13 23:40 10/13/2011 23:40

    For example,.

    SQL> select USER_ID, to_char(START_TIME, 'DD-MON-YYY HH24:MI:SS')
    fnd_logins;
    

    Thank you
    Hussein

Maybe you are looking for

  • Satelite L510 - does not light

    Hi all I can't turn on my Satelite L510 laptop and need some ideas to turn on again. What I think has happened is the last time I put it in his bag, he is not stopped and entered sleep mode. Stupid me left in the bag for a month or two without switch

  • Satellite L670 - missess keyboard keys

    Hey all, had this problem since the new - November 2010. I've seen several threads on the same issue, but above all, all have been solved by an update of the BIOS. I did this update of the BIOS when it came out and everything was fixed.So long that I

  • HP Pavilion dv4-2045dx

    One of my friends gave me his unused HP Pavilion dv4-2045dx because he had a lot of problems he could not fix, so far, I managed when setting, all except one, 'no bootable disc', it won't start not the hard drive, I thought at first, it was delivered

  • Rules of Ironport S370 to S380 Portage

    I'm moving functions from an old WSA S370 to a new WSA S380 of web filtering. Is it possible to save the current game of the S370 rule and restore it on the S380?

  • In windows 7 I am trying to create a shortcut

    I would like a my desktop shortcut directly to the control panel "All Control Panel items" and so far I could not create a.Everything / all suggestions would be appreciated.