Removing checkbox from resultset.

Hi,
        I am using MDM resultset iview, In the result screen it is appending checkbox for every record. can any one help me on removing check box.
Regards,
Sandeep Reddy

Hi Sandeep Reddy
"Portal Content Development Guide" page 15:
"If the checkbox column in a Result Set iView has no usage, it is automatically
hidden or disabled.
This action is not configurable by the user - it is automatic depending on the
configuration of the iView."
I mean you can modify this properties through java development
Best regards

Similar Messages

  • Can't delete a file displayed in ListView ("File in use") even after removing it from window.

    I have a ListView displaying a collection of icons. The user can then select different icons (checkboxes) to do things like Copy or Delete.
    Problem is, when I try to delete the actual file from the disk, I get an error telling me the file is "in use" ("vshost.exe", the VS runtime during testing).
    I thought maybe it was because it still appeared in the window and was still in the ImageList, but even after removing it from both locations, I still get the error. My code:
    Dim intCnt As Integer = 0
    Do
    ImageList2.Images.RemoveAt(intIconsChecked(intCnt)) ' Remove from collection.
    lsvCollection.Items.RemoveAt(intIconsChecked(intCnt)) ' Remove from ListView window.
    FileIO.FileSystem.DeleteFile(strIconPath & "\Icon" & Format(intCnt + 1, "00") & ".rsc") ' "+1" b/c Icons start with "01".
    FileIO.FileSystem.DeleteFile(strIconPath & "\Icon" & Format(intCnt + 1, "00") & ".png") ' "In use" Error here.
    ".rsc" deletes just fine, so I know I'm deleting the correct file. Why does VS still think the file is still "in use"?
    Thx

    Mugsy,
    Consider this as food for thought, even if you don't use it.
    If you set it up right then you can control how it works. A reference is a reference and any left behind will cause you grief down the road when you try to delete things.
    As an example, a simple class follows. It does *not* implement IDispose, although it does have a private shared Dispose method in it:
    Public Class MyImages
    Private _bmp As Bitmap
    Private _name As String
    Private _sourceFilePath As String
    Private Sub New(ByVal bmp As Bitmap, _
    ByVal name As String, _
    ByVal filePath As String)
    _bmp = bmp
    _sourceFilePath = filePath.Trim
    _name = name.Trim
    End Sub
    Public ReadOnly Property Bmp As Bitmap
    Get
    Return _bmp
    End Get
    End Property
    Public ReadOnly Property Name As String
    Get
    Return _name
    End Get
    End Property
    Public ReadOnly Property SourceFilePath As String
    Get
    Return _sourceFilePath
    End Get
    End Property
    Public Shared Sub AddNew(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    Else
    ' Should do validation here that the file
    ' is actually an image but I'll not do this
    ' here...
    Dim thisBMP As Bitmap = New Bitmap(imageFilePath)
    miList.Add(New MyImages(thisBMP, GetFileNameWithoutExtension(imageFilePath), imageFilePath))
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Sub AddNew(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String, _
    ByVal imageName As String)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    ElseIf String.IsNullOrEmpty(imageName) OrElse imageName.Trim = "" Then
    Throw New ArgumentException("The name of this image cannot be null or empty.")
    Else
    ' Should do validation here that the file
    ' is actually an image but I'll not do this
    ' here...
    Dim thisBMP As Bitmap = New Bitmap(imageFilePath)
    miList.Add(New MyImages(thisBMP, imageName, imageFilePath))
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Sub Remove(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String, _
    Optional ByVal removeFilePathAlso As Boolean = False)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    Else
    Dim findInstance As System.Collections.Generic.IEnumerable(Of MyImages) = _
    From mi As MyImages In miList _
    Where mi.SourceFilePath = imageFilePath
    If findInstance.Count <> 1 Then
    Throw New ArgumentException("The instance of MyImages specified by the" & vbCrLf & _
    "image file path is not in the collection.")
    Else
    Dispose(findInstance.First)
    If removeFilePathAlso Then
    My.Computer.FileSystem.DeleteFile(findInstance.First.SourceFilePath)
    End If
    miList.Remove(findInstance.First)
    End If
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Private Shared Sub Dispose(ByVal instance As MyImages)
    If instance IsNot Nothing AndAlso instance._bmp IsNot Nothing Then
    instance._bmp.Dispose()
    instance._bmp = Nothing
    End If
    End Sub
    End Class
    When you look through that, look specifically at the "Remove" method and in particular, look at the order in which things are done. That's the critical part in this.
    I tested it with a simple form:
    Two buttons, a checkbox, and a picturebox. I also copied a small folder full of image files to my desktop since I'll be deleting a file from it. Following is the code for Form1:
    Option Strict On
    Option Explicit On
    Option Infer Off
    Imports System.IO.Path
    Public Class Form1
    Private miList As New List(Of MyImages)
    Private Sub Form1_Load(ByVal sender As System.Object, _
    ByVal e As System.EventArgs) _
    Handles MyBase.Load
    Dim desktop As String = _
    My.Computer.FileSystem.SpecialDirectories.Desktop
    Dim imgFolder As String = _
    Combine(desktop, "Images")
    PictureBox1.BorderStyle = BorderStyle.FixedSingle
    For Each imgFilePath As String In My.Computer.FileSystem.GetFiles(imgFolder)
    MyImages.AddNew(miList, imgFilePath)
    Next
    btn_RemoveFirstImage.Enabled = False
    CheckBox_RemoveSourcePath.Enabled = False
    End Sub
    Private Sub btn_ShowFirstImage_Click(sender As System.Object, _
    e As System.EventArgs) _
    Handles btn_ShowFirstImage.Click
    Try
    If miList.Count >= 1 Then
    With PictureBox1
    .SizeMode = PictureBoxSizeMode.Zoom
    .Image = miList(0).Bmp
    End With
    btn_RemoveFirstImage.Enabled = True
    CheckBox_RemoveSourcePath.Enabled = True
    End If
    Catch ex As Exception
    MessageBox.Show(String.Format("An exception was thrown:{0}{0}{1}", vbCrLf, ex.Message), _
    "Exception", MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    End Sub
    Private Sub btn_RemoveFirstImage_Click(sender As System.Object, _
    e As System.EventArgs) _
    Handles btn_RemoveFirstImage.Click
    Try
    If miList.Count >= 1 Then
    MyImages.Remove(miList, miList(0).SourceFilePath, CheckBox_RemoveSourcePath.Checked)
    End If
    PictureBox1.Image = Nothing
    btn_RemoveFirstImage.Enabled = True
    CheckBox_RemoveSourcePath.Enabled = True
    Catch ex As Exception
    MessageBox.Show(String.Format("An exception was thrown:{0}{0}{1}", vbCrLf, ex.Message), _
    "Exception", MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    End Sub
    End Class
    Running it is straightforward:
    Now when I click to show the first one:
    A different image is shown because that first one no longer exists - either in the collection or in the folder.
    Closing/disposing all references is the key and the order matters.
    Something to consider the next time around. :)
    Still lost in code, just at a little higher level.

  • Project Server 2013 - Remove user from resource pool via sync

    Hello everyone,
    has anyone managed to configure their Project Server 2013 box with a resource pool sync that will actually remove user from the resource pool (disable "User can be assigned as resource" or deactivate users) when the user is removed from the AD
    group(s)?
    Setup: Single box, SQL 2012 SP1, SharePoint/Project Server 2013 + PU March + CU April. 2 PWA instances, 1 in SharePoint and 1 in Project permission mode. Tried on 2 different machines (different setup, accounts, domains).
    Proceedings:
    Create AD user U, AD group G. Add U to G.
    Go to PWA, setup resource pool sync with G, sync.
    U is now in the resource pool, has no PWA permissions.
    Remove U from G. Resync resoure pool.
    U is still in resource pool, still a resource, still active, can still be assigned as resource.
    Adding U back to G an repeating the whole spiel with a resource pool and a PWA group sync of G will result in U being added and removed from the user list (as expected), and U being added but not removed from the resource pool.
    Having read
    http://technet.microsoft.com/en-us/library/gg982985.aspx and
    http://technet.microsoft.com/en-us/library/gg750243.aspx, there does not seem to be an omission on my part.
    The first article states:
    Note:
    The corresponding Project Server User Account is not deactivated based on this synchronization. If the same Active Directory user is configured to synchronize with a Project Server security group, the Project Server user account will be inactivated when
    that synchronization occurs. For more information, see
    Best practices to configure Active Directory groups for Enterprise Resource Pool synchronization in Project Server 2013.
    Unfortunately, this deactivation either does not seem to occur even with a PWA group sync or I misunderstood the article.
    So, did anyone manage to setup their resource pool sync in a way, that new resource will be added, but also be removed from the resource pool?
    Kind regards,
    Adrian

    Hi Adrian,
    you tried to sync the same AD group that you used for the resource pool sync also with a Project Server permission group?
    And on removal of the user of the AD group the project user/resource is not deactivated? Only removed from the group
    Regards
    Christoph
    Hi  Christoph,
    even though I might have tried that before, I tried it again in several constellations. It didn't change anything. The the user will be properly added to and removed from the PWA group whenever I remove them from the AD group, the use will also stay active
    (but cannot logon without permissions). However, the user will always remain in the resource pool, i.e. the "User can be assigned as resource." checkbox will remain unless it is cleared manually.
    Having re-read the technet articles, none of the scenarios actually seem to descibe or address the process that I require, or maybe I'm just misunderstanding. Let me just try to outline the core issue:
    Add user to AD group. Sync AD group with resource pool. User is now a PWA resource and PWA user.
    Remove user from AD group, but do not deactivate/delete user from AD.
    (Magic happens!)
    User cannot be assigned as ressource in PWA.
    So, is there anything to make this step 3 happen, or is it just not possible to sync users out of the resource pool anymore unless they are deleted/deactivated in AD?
    Kind regards,
    Adrian

  • How to remove photos from the photo library

    How can I remove photos from the photo library?
    I searched and tried the below method.
    I connected to the PC and open iTunes. I clicked "photos" on the top. Then clicked the box "Sync Photos with" and choose the dropdown and "choose folder"
    Then I clicked "desktop" option and chose an empty file and click "apply", "sync".
    However, it doesn't work. Nothing has been removed.
    I saw there is another method - deselecting the checkbox of the photo files. However, in my iTunes, there is no files has been selected.
    How can I delete photos from the photo library? Thank you.

    How did the photos get onto your device (and is it an iPad, iPhone, iPod Touch ?) ? Only photos that were synced from a computer can be deleted via iTunes, photos that were taken with it or saved from emails/websites on the iPad (or if it's an iPad copied to it via the camera connection kit) can be deleted directly in the Photos app, or you might be able to delete the via the import process : Import photos and videos from your iPhone, iPad, or iPod touch to your Mac or Windows PC.

  • Remove Costcenter from selection time.

    Hi Experts,
    I need to remove Cost center from the selection menu.The cost center is maintained as defualt value and I have Costcenter s hierarchy node variable.
    Regards,
    Kumar

    Untick the Ready for Input checkbox from the variable then it will not appear on the selection sceen.

  • Remove images from library without deleting referenced files

    Hi,
    I cannot find solution: how do I remove images from Aperture library completely (all versions, etc), but keep the referenced master files? (all my images are kept outside aperture lib, as referenced masters).
    If I delete all versions and projects, they go to Trash, and attempting to empty the Trash brings only two options: delete permanently and move to system Trash. But I do not want to touch the referenced masters in any way. Is there a way to keep them safe, while emptying Aperture of all references to those files?
    Thanks.

    If the originals are referenced when you empty the Aperture trash the confirm box will have a checkbox asking yf you also want to move the referenced originals to the system trash.
    If you do not select this option the referenced originals are left where they are. If you of not see this option in the confirmation box then the originals in the Trash are not referenced.

  • SDK J2 EE server remove it from list of programs which start with windows

    Hello there
    Since SDK J2EE 5 server takes many resources, I would like to be able to remove it from the list of programs which start with Windows XP PRO start up.
    How could I possibly do that?
    Thanks in advance

    Since SDK J2EE 5 server takes many resources,is it take more resource ?
    is it decrease your speed ?
    is it not allow another app or software to run ?
    if you say yes,
    then
    type msconfig in start->run
    click startup tab and deselect the corresponding checkbox
    or
    go to control panel -> administrator tools -> services -> select the service , then right click properties and select disable in drop down,
    or
    control panel -> add or remove programs -> select j2ee-xxx remove it

  • How to remove songs from iPad?

    I've read several threds from users asking how to remove songs from the iPad 1.0, but have not found anyone with the symptoms mine has.
    For some unknown reason, the checkbox next to each song to remove them from the iPad is disabled.
    My latest attempt at removing all of the music was to tell iTunes to "Sync Music" with "Entire Music Library' selected.  That caused iTunes to push all 2700+ songs to the iPad.  I checked to see if I could remove the songs from the iPad by de-selecting the checkbox, but the checkbox was still disabled.
    So I told iTunes to stop syncing Music.  I acknowledged the warning message that this would remove all songs from the iPad.  Perfect - remove everything and I'll manually add the songs I want to put back on.  However, the results were not what was intended... I am back to where I started:
    When I open "Music" on my iPad, it shows lots of albums and songs (over 2700).
    When I view my iPad using iTunes, "Sync Music" is disabled and the capacity indicator shows 11.1GB of space allocated to audio files.
    When I view my iPad's Music folder using iTunes, it shows only 3 albums.
    At this point, I am thinking my only option is to wipe the iPad and manually add everything back on.  I'd rather not do that... but am out of options I can think of.

    I cannot delete music from my iPad2.  I've gone into iTunes and selected to manually manage my music.  When I click on my iPad and then MUSIC, I don't see any songs listed.  When I look at my iPad itself under usic there are a ton there.  I just want to keep my iPad free of music.  I don't need my music on my phone and my iPOD (yes, I still use an iPOD and I still like my music SEPARATE.)
    HELP
    Thanks.
    PS:  I'm using iTune 11.1.3.8
    iTunes software and iPad software up-to-date

  • Remove music from iPhone after enabling iCloud/match

    After enabling iCloud and iTunes Match, then after having some songs downloaded on my iPhone, I want to cycle some out and pull new ones down. However, I do not see how I can remove music from my iPhone. If I delete the playlist, the entire playlist is wiped from my master iTunes library, which removes it from all devices that use iCloud/Match.
    How do I selectively control what stays on my iPhone?
    Thanks,
    Derek

    If that is on, I highly recommend looking at th KB article: http://support.apple.com/kb/TS4054
    Specifically:
    Make sure iTunes Match is turned on.
    Please see this article for information about turning on or adding a computer or device to iTunes Match.
    If iTunes Match is already enabled on your computer or device, try turning iTunes Match off and then on again.
    On your Computer choose Store > Turn Off iTunes Match, then Store > Turn On iTunes Match.
    On your iOS device tap Settings > Music > iTunes Match Off, then Settings > Music > iTunes Match On.
    And sadly, you apparently can delete a song from Match from your phone.
    I am sorry, but no, you can't. If that were true, you would no longer see the song in your music library on your computer, and it would most likely be gone forever. The only way to remove an item from iTunes Match:
    To delete an item from iCloud in iTunes
    From a computer with iTunes Match enabled, open iTunes 10.5.1 or later on your computer. You can download the latest version of iTunes here.
    Click Music on the left side of iTunes.
    Select the item you would like to delete. Right-click the item and then choose Delete.
    You will be asked to confirm this action.
    If the item you want to delete exists in iTunes on your computer as well as in iCloud, click the checkbox to also delete the item from iCloud.
    Match is a train wreck. They need to make it work simply and intuitively.
    I don't disagree with you on this.

  • Removing iTunesHelper from start-up programs, a bad idea?

    I would like to remove iTunesHelper from my start-up, is this a bad idea? Will it hurt iTunes performance?
    Thank you.
    I would also like to remove QuickTime Task, that ok?
    Message was edited by:adding info

    it won't hurt at all:
    This is what the iTunes helper does, it makes it so whenever you connect an iPod/iPhone/iPad/etc., if you have the option to do so enabled in iTunes, it will automatically open iTunes for that device.
    So, remember that checkbox "Run iTunes when this device is connected?" in your iPod screens? Yup, iTunes Helper is the tool that helps manage this and determine the device is connected, and runs iTunes if it is not open.
    That said, if you like this feature, then you'll want to keep it around. If you disable it, when you connect a device, iTunes will not open automatically, even if you specifically told it to do so before, since it requires iTunes Helper to do that.
    However if you don't care for this, and wish to open iTunes manually, then there is no problem with removing it from your startup.
    I am not sure about the quicktime task. sorry

  • Removing books from library

    How do I remove books from my library? I know how to remove books from my purchase.

    If you selected to keep the files, they have to be somewhere.
    They don't have to be in your iTunes folder though.
    That depends of the settings in your preferences.
    Look at the Preferences>Advanced>General.
    The 'iTunes Music folder location' is default set to ~/Users/YourUsername/Music/iTunes/iTunes Music.
    Music you import from CDs will always be stored in that folder.
    Music you've already ripped from CDs (or downloaded from the web) and add to the library later, will only be stored in the 'iTunes Music folder location' if you ticked the checkbox 'Copy files to iTunes Music folder when adding to library'
    So if you didn't have that checkbox ticked, your music can be anywhere on the HD.
    M
    17' iMac fp 800 MHz 768 MB RAM   Mac OS X (10.3.9)   Several ext. HD (backup and data)

  • How do i remove money from 1 itunes account to another ?

    How Do I Remove Money From One Itunes Account To Another ?

    See:  More Like This    To the right -->

  • I've had three laptops all connected to my itunes account, one was stolen, the other broke, how can I remove them from my itunes account?

    So, in three years, after getting an iphone and an apple account I've had to replace a laptop twice due to theft or damage. When I link my phone to my new computer, it asks me if I want to connect the computer with the phone and I say yes, but you can only have 5 devices connected to one account, since one was stolen, and the other laptop broke, how do I remove them from my account??

    De-authorise all, then authorise the one you still have.

  • How can we remove items from the VF04 list?

    We have a long list of items in VF04 that, for various reasons (some process related, some due to errors), are not to be billed. We have looked at applying filters to the list but there is nothing really suitable to hide these individual documents e.g. we could filter out some dates where none of the items on that date are to be billed but other dates have a mix of items we want to bill and others we don't.
    I have done a search of this forum but didn't find a previous topic with a quick and simple method to remove items from the list .
    Is there a method, other than billing them or sorting each issue individually, to permanently remove individual documents from the VF04 list?
    Thanks in advance for any help.
    David

    Hi,
    David,
    Download a list of Pending delivers doc form VF04.
    Paste the list in T.Code : VL09 (Delivery reversal) and reverse the delivery.
    Then go to T.Code: VL06G Select the list of deliveries that has been reversed, select/delete all un- wanted deliveries.
    This way you can remove all unwanted pending deliveries forn Billing due list (VF04).
    Thanks & Regards,
    R.Janakiraman

  • What steps do I take to give my husband my older IPAD w/o removing him from my Apple account?

    I recently bought a new IPAD2.  All personal data and APPS were transferred from my older IPAD to my new one at the time of purchase. I'd like to give my older IPAD to my husband w/o removing him from my Apple acct.  Apple's support does not provide instructions for my situation.  Does anyone have suggestions as to what steps I should take?

    What you might need to do depends upon how you want the old iPad to be for him.
    If he will be using your iTunes account for any purchases/downloads from the store then he can continue to be logged in with your account in Settings > iTunes & App Stores. If not then log out of your account by tapping on your id in there, and he can then log in with his own account - any apps and other store downloads that you leave on the iPad will remain tied to your account, so only your account will potentially be able to redownload them and/or download updates to your apps.
    To use his own account for Messages he can log out of your account via Settings > Messages > Send & Receive - tap on your id at the top of that screen and select 'sign out' on the popup. He can then log in with his account. Similarly for FaceTime : Settings > FaceTime (tap on your id on that screen). And (if he wants to back up his content to his own account) : Settings > iCloud > Sign Out
    If you want to remove all content from the old iPad so that he can start afresh with it, then Settings > iCloud > Sign Out, and then Settings > General > Reset > Erase All Content & Settings

Maybe you are looking for

  • Pk files no longer being drawn

    Hello, First time poster here. I tried to read as many posts as possible about my issue, but unfortunately, I didn't see anything that might help me out. I recently noticed last night that each time I would import a stereo wave file in AA3, it would

  • VF02 Print Out Problem

    Hi all, We are facing the problem while taking the print out from VF02. We are using ZFORM designed by our ABAPer. While using standard form (LB_BIL_INVOICE) its working and while using ZFORM, we are able to see the print preview but not able to take

  • Thunar as default file manager

    Hi, i've installed today kdemod and now the default file manager in gnome is konqueror. I used thunar and i want to put it back to default file manager. I've found this tuturial but i can't execute the command sudo. i've already add my user trought v

  • Intermedia and function-based indexes

    Is it valid to use function-based indexing to create an intermedia index type ?

  • Can I force LRM to save current work to the catalog?

    I had the unpleasant experience of working for a couple of hours on LRM3 (Win7, 64bit) on multiple photos and then had a OS crash - the famous windows blue screen. As a consequence all the changes that I had done were lost even though the catalogue w