Presentation catalog are listing on subject area even after removal

Presentation catalog are listing on subject area even after removal of catalog on RPD.
I have restarted oc4J server too

Please make sure that you have saved the repository or not.
And then restart both the services i.e Presentation server & OBI Server
Regards
Visweswar
Edited by: Mopur on May 26, 2011 10:44 PM

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.

  • I cannot log in my account but can as a guest even after removing the password

    i cannot log in my account but can as a guest even after removing the password

    Hi Kabiru,
    Thanks for visiting Apple Support Communities.
    You may want to use the steps in this article to reset your user account password:
    OS X: Changing or resetting an account password
    http://support.apple.com/kb/HT1274
    Best,
    Jeremy

  • Repository / catalog not working, missing subject area

    on Windows 2003 R2 64bit Server.
    If I create a new rpd my BI Server Service wont start.
    If I copy an existing rpd like paint.rpd and (delete the catalog so a new one is created, or create a new catalog, or copy an existing catalog) I get the following error:
    Oracle BI Presentation Services have started successfully.
    Type: Error
    Severity: 40
    Time: Tue Aug 25 22:50:05 2009
    File: project/webodbcaccess/odbcconnectionimpl.cpp Line: 371
    Properties: ConnId-1,1;ThreadID-3264
    Location:
    saw.odbc.connection.open
    saw.connectionPool.getConnection
    saw.soap.makesession
    saw.soap.sessionrequesthandler
    saw.SOAP
    saw.httpserver.request.soaprequest
    saw.rpc.server.responder
    saw.rpc.server
    saw.rpc.server.handleConnection
    saw.rpc.server.dispatch
    saw.threadPool
    saw.threads
    Odbc driver returned an error (SQLDriverConnectW).
    State: 08004. Code: 10018. [NQODBC] [SQL_STATE: 08004] [nQSError: 10018] Acces
    s for the requested connection is refused.
    [nQSError: 43037] Invalid catalog, D:\OracleBIData\web\catalog\sh_public, specif
    ied. (08004)
    Type: Error
    Severity: 40
    Time: Tue Aug 25 22:50:05 2009
    File: project/websubsystems/soapservicesimpl.cpp Line: 156
    Properties: ThreadID-3264
    Location:
    saw.soap.makesession
    saw.soap.sessionrequesthandler
    saw.SOAP
    saw.httpserver.request.soaprequest
    saw.rpc.server.responder
    saw.rpc.server
    saw.rpc.server.handleConnection
    saw.rpc.server.dispatch
    saw.threadPool
    saw.threads
    Authentication error. Details: Error connecting to the Oracle BI Server: The spe
    cified ODBC DSN is referencing a subject area that no longer exists within the O
    racle BI Repository.
    Error connecting to the Oracle BI Server: The specified ODBC DSN is referencing
    a subject area that no longer exists within the Oracle BI Repository.

    Your Explanation about getting the error seems a little incomplete...
    Whatever, RPD you are putting in the Catalog folder of OracleBIData Folder should also be your Default RPD if you are opting to see the Report in BI-Answers.
    Whenever you go online the BIServer tracks the NQSConfig.ini file and checks for consistency. The same rpd must be there in the catalog folder with the ROOT attributes...
    Also, check the DSN and Connection pool in the Physical Layer. If you are using Oracle Database check for the Service name entry in the TNSNAMES.ORA file..
    Thanks,
    Shib

  • Fields are still in EDIT mode even after Saving the Transaction in UI

    Hello Experts ,
    We are facing one problem in UI .
    We have added the BLOCK " Subject" in Complaint transaction ( BT120H_CPL) .
    We are able to fill the data in the fields for subject block like " Code, Code Gruppe etc, but even after saving the transaction these fields are in Edit mode .
    Can anyone give some pointers/solution to this ?
    Regards
    VB

    Hello,
    if the fields are in Edit mode or closed is controlled by the attribute VIEW_GROUP_CONTEXT of the controller class (*IMPL).
    There are also methods to change this VIEW_GROUP_CONTEXT depending on the requirement like "DISABLE_VIEW_GROUP_CONTEXT".
    But as i understood you correctly you do not have a own developed view but a SAP standard view. In this case i would create a OSS-Message for the issue.
    But feel free to do some debugging on this VIEW_GROUP_CONTEXT.
    Best regards
    Manfred

  • I have ripped all of my Cds into iTune, now I cannot find where some of the artists have been filled, not all the artists are listed, yet others are listed multiple times as they play with other groups. How do I list all one artist under his name? I know

    Sorry this will appear pretty basic stuff.  I have ripped all my Cds into iTunes, but in starting to make playlists it is apparent that some artists are listed multiple times as they appear with different bands, and others do not appear at all.  I have tried searching different categories, compilations etc, and Finder box does not bring them up.
    My questions are:-
    Do I need additional software to manipulate my tunes in iTunes?
    If so what is suggested?
    or if not:-
    How can I re arrange the tunes so that they appear only under one artist?
    How do I make my "lost" artists tunes appear?
    Thanks for any advice.

    I am not really following what the problem is here.  Artists are listed in the Artist field.  I guess you could stick individual artists in a band in a field such as comments, but then you would have to include searching the comments field in your search.  In which fields are these names located?
    How are you making these playlists? Are these smart playlists or are you just dragging tracks to a playlist?
    Are you doing this search with Finder's find or with iTunes' search?
    If I knew exactly what it was you were trying to do I could tell you if you need addditional software.  In reality though there isn't "additional software" for iTunes.  There's Applescript plugins but I don't see how the ones with which I am familiar would have anything to do with searching for artist names.
    How can I re arrange the tunes so that they appear only under one artist?
    Steve MacGuire aka turingtest2 - iTunes & iPod Hints & Tips - Grouping Tracks Into Albums - http://www.samsoft.org.uk/iTunes/grouping.asp (older post on Apple Discussions http://discussions.apple.com/message.jspa?messageID=9910895)
    Quick answer:  Select all the tracks on the album, File > get info, and either give them all a single "album artist", or check the "compilation" flag (as in https://discussions.apple.com/message/17670085).
    If these are from multiple-CD sets you may also need to enter the appropriate information in the disc number fields.

  • Price Condition&Price update are disabled in S.O even after partial invoice

    Dear All,
    We are using manual pricing condition in the Sales Order, when we do a partial delivery and billing for a Sales Order line item, the update prices function (button) is inactive and price conditions are greyed out.
    We are using Pricing Type "C" in the VTFL item copy from Delivery to Billing.
    Even after partial quantity invoicing from the Sales Order there will be pricing changes and users will need to enter manual price for the item that is partially invoiced.
    Currently system does not allow any change in the manual price condition as the all the price conditions are greyed out in the S.O even if partial qty of the line item is invoiced.
    Please let me know what needs to be done to enable manual condition entry and Price update functions in the Sales order even after partial invoice quantity of the line item in the Sales Order.
    Regards
    Venkat

    Hai Venkat,
    This is the standard functionality and system treat like
    sales order conditions once invoiced should be freezed.
    As a work around you can do like
    in sales order order
    Go to Item - Shipping
    Part.dlv./item     B      Create only one delivery (also with quantity = 0)
    Max.Part.Deliv.  1     
    This make only one delivery for the line item
    Considering if you have a material Sales order of 2 KG and you added some manual price.
    And you are doing partial delivery of 1 KG and Invoiced.
    Now user can use the same sales order and create a new line item of the same material and can enter the balance qty and change the condition which is not grayed out.
    Regards,
    Mani

  • Navigation links are visible to all groups even after applying specific target audience group in to links at sharepoint 2010 publishing site

    Hi ,
       Any one please help me on why the global navigation links are visible to all group users  even after applying a specific target audience group to the link. I Checked , User profile service  and User profile synchronizing services
    and they are running fine. Test environment is running fine even both the services are not running. Please let me know is any relation should be there between target audience and User profile services?
       I am wondering that the Target Audience is not working in global navigation suddenly in production server and the same is working in test server.
    Thanks & Regards,
    NareshRaju YV,
    Infosys.

    Hi NareshRaju,
    Did you add SharePoint Groups to Target Audience ? if yes please refer http://social.technet.microsoft.com/Forums/sharepoint/en-US/7862f182-c6a2-4d2e-9025-b11514575ac3/audience-targeting-for-navigation-link-issue?forum=sharepointgenerallegacy and
    you will get solution
    Let us now if this helps, thanks
    Regards,
    Pratik Vyas | SharePoint Consultant |
    http://sharepointpratik.blogspot.com
    Posting is provided AS IS with no warranties, and confers no rights
    Please remember to click Mark As Answer if a post solves your problem or
    Vote As Helpful if it was useful.

  • Artists are listed twice (but are exactly the same in format)

    I have several artists (some examples are Dave Matthews and Pat Green...but there are tons!) that are listed twice in the artist section on my ipod. I made sure they are spelled correctly and I can't figure out any other reason my ipod won't list them one time. Has anyone else run into this problem and if so, how can I make my ipod list artists once? Thanks!

    I had this problem too. I came to find that there was a space either before or after the artists name. Obviously you cant see a space so they will look normal. Check it out, this may be the problem

  • I am unable to download itunes to my pc even after removing all itunes components

    i am unable to download itunes to my pc even after i have removed all previous components of itunes

    when i try to download itunes  i get a message that says thanks for downloading itunes. But it does so instantly and there is no download for me to install
    I'd first try downloading an installer from the Apple website using a different web browser:
    http://www.apple.com/itunes/download/
    If you use Firefox instead of IE for the download (or vice versa), do you get a working installer?

  • I have uninstalled, downloaded latest and installed but it still doesn't work. Why are there still files leftover even after manually removal whatever I could?

    I am a Windows 8.1 user. I have followed instructions found online. But still nothing works.
    McAfee is still saying Firefox is untrusted and will not run it.
    I have managed to delete some folders containing Firefox but there are some still remaining.
    Why?
    There was never a problem before today.

    Hi, [https://support.mozilla.org/en-US/kb/uninstall-firefox-from-your-computer this article] will help you to completely remove Firefox.
    You should ''only'' download Firefox from [https://www.mozilla.org/en-US/ Mozilla.]
    If McAfee is still not allowing it, you may need to look at the settings within McAfee.
    Hope that helps.

  • Failed download list appearing repeatedly even after removing it from history ?

    I had downloaded some power points n articles from google drive . some of them were failed to download. i deleted them from history. i uninstalled mozilla and installed it again but still as i start a new session download symbol gets activated and library is full of failed downloads !!!! something virus or what ?????

    If it happens again then check for problems with the <b>places.sqlite</b> database file in the Firefox profile folder.
    *http://kb.mozillazine.org/Bookmarks_history_and_toolbar_buttons_not_working_-_Firefox
    *https://support.mozilla.org/kb/Bookmarks+not+saved#w_fix-the-bookmarks-file
    *Places Maintenance: https://addons.mozilla.org/firefox/addon/places-maintenance/

  • Printers are showing twice in Devices & Printers after removal

    Hi Experts,
    The following problem started a few weeks ago on 1 of our 3 RDS servers. I hope that there is someone that knows how to resolve this problem.
    The server is: Windows Server 2012 Standard
    When I delete a printer from the Devices & Printers this printer appears once more after a few minutes.
    It happens with every printer I remove.
    With kind regards,
    Rense

    Hi Rense,
    Please refer to following KB and check if that Hotfix will help you to solve this issue.
    A network printer is deleted unexpectedly in Windows
    If this issue still exist, please check event log if find some relevant clues.
    If any update, please feel free to let me know.
    Hope this helps.
    Best regards,
    Justin Gu
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Support, contact [email protected]

  • Update showing up in "Compliance 5 - Specific Computer" Report even after removing the update from the Software Update before creating Group and Package

    So I've created a Software Update Group and I did NOT want anything in there dealing with Internet Explorer 11 since the organization is currently stuck at using 10 as the highest. So I made sure that Internet Explorer was NOT in the list and then I deployed
    the package. 
    After running my Overall Compliance report it shows that the systems are compliant, but when I view the "Compliance 5 - Specific Computer" I see that "Internet Explorer 11 for Windows 7 for x64-based Systems" is listed in the report. 
    This is just a testing phase right now and I have not created a WSUS like Domain level GPO. I understand that the SCCM client creates a local policy on the clients for the location of the Software Update Point (Specify
    Intranet Microsoft update service location), but the "Configure Automatic Updates" policy is set to Not Configured, which it looks like when this
    is set, the "Install updates automatically (recommended)" at 3AM is the default. 
    Is the reason why the "Internet Explorer 11 for Windows 7 for x64-based Systems" update is showing up in the list due to the fact that the "Configure
    Automatic Updates" policy is set to Not Configured
    and therefore it is still reaching out to check Windows Update online? 
    So, if I do create a Domain level GPO to Disable the "Configure
    Automatic Updates" policy, then the "Internet Explorer 11 for Windows 7 for x64-based Systems" update would not show up in the "Compliance 5 - Specific Computer" report?
    By the way, I have a Software Update Maintenance Window configured for the hours of 1AM-4AM so the 3AM default time falls within this time frame, therefore, I am assuming the SCCM 2012 client will not allow the Windows Update Agent to install the "Internet
    Explorer 11 for Windows 7 for x64-based Systems" update, even though it has detected it is "Required". 
    Thanks

    But, don't you need a Deployment Package in order to deploy the Software Update Group? The Software Update Group uses the downloaded updates contained in the Deployment Package located in, wherever the Package Source is, right?
    One more quick question that you will know right off hand, because, well, you just will I'm sure.
    No. The software update group really has nothing to do with any update packages. The update group assigns updates to clients and in turn clients use update packages to download assign and applicable updates from. There is no connection between the two though
    as the client can download an update from any available update package. Thus, it's more than possible to updates in an update package that are not in any update groups and it is also possible for an update to be in an update group without being in any update
    package.
    If the "Configure Automatic Updates" policy is set to "Not Configured" and since this keeps the 3AM Automatic Updates default, if I was to remove the Software Update Maintenance Window from being between 1AM-4AM, will the WUA agent install updates
    at 3AM, or no because the SCCM 2012 client still manages and oversees it and basically blocks that from occurring?
    No, ConfigMgr does not in any way block the WUA; however, the WUA can only autonomously install updates it downloads directly from WSUS. Thus, since there are no updates approved or downloaded in your WSUS instance, there's nothing for it to download and
    install. If you happen to actually be going into WSUS and approving updates (which you should not be doing as its unsupported), then yes, it actually would install updates -- this is outside of ConfigMgr's control though. Generally, disabling the WUA via a
    GPO is the recommended to prevent any accidental installations or reboots (as the WUA wil also check for initiate pending reboots outside of ConfigMgr).
    Lots more info in these two blog posts:
    - http://blog.configmgrftw.com/software-update-management-and-group-policy-for-configmgr-what-else/
    - http://blog.configmgrftw.com/software-updates-management-and-group-policy-for-configmgr-cont/
    Jason | http://blog.configmgrftw.com

  • No sound and notifications working even after removal and fixing of battery

    All notifications including sound and vibrate are not working. I tried to rest the system by removing battery, but no luck. Please help in restoring the notifications.  

    Solution! 
    1) While playing the music: 
    2) Open the back cover, 
    3) Touch the connection buzzer on the back (right under battery location). I even now manage to apply pressure to the block-area without removing the cover, while playing music. Works! 
    4) Fixed!
    I actually had my BlackBerry replaced before I knew the Solution. Not even the carriers know this solution! Thank you BlackBerry for another issue on the Flagship model. Disappointed. ...and this from a Massive loyal BlackBerry user... and creating this forum account to be able to help other users, Pain!
    Found the Solution here:
    http://forums.crackberry.com/blackberry-z10-f254/no-sound-problem-z10-not-like-other-people-781693/

Maybe you are looking for

  • How do I find the logon name associated with a roaming profile folder

    Hello, We have Server 2003 R2 Enterprise and Windows 7 Enterprise workstations. We normally name the profile path \\server\profiles\%username% and that assigns the users logon name to the profile folder. Someone created a user account and incorrectly

  • Read from a file list

    Hi everyone, This is the first question in this forum. I'm writing a program that capture and save several signals in different files. The files are named automatically. Now, I want make a front panel that lists all the saved files and when the user

  • Huge Problems In N Plano TX Today

    I am paying for a high-speed Fios internet connection, but as is usual recently I may as well be on a 300baud dial-up connection-actually it would be faster. The latency and no connection at all is unacceptable today... And, I know I KNow i Know befo

  • Where is the javax.media.j3d

    Hi I install Java3d JDK 1.4.2 but i have only one jar file with com.sun... utility java 3d package what I must do to have package javax.media.j3d?And do I can use java 3d to create games?

  • Modifying the size of a a new window

    Hi, I have this code, I have a link that when clicked will open a new window, all I need please I need to play with its size, as this new window is as big as the parent page, I wnat the new page to still appear in the middle but with a less size ? wh