Bug in centering a checkbox

If you insert a checkbox onto a form, then press Center, the checkbox will not center, but the text will. I think this is a bug because I am able to center the checkbox by tricking LC Designer using the following steps:
1) Insert a numeric field onto your form.
2) Click the Center icon in the Paragraph tab or toolbar.
3) In the Object, Field, Type, change it to a checkbox.
4) In the Layout, caption, change layout to Top.

Yes using the WorkAround You suggested I don't have the JBO Error anymore.
I didn't reproduce with the tester because the tester doesn't use JTable for a single Vo (or, at least, I didn't find the way).
I suspect the problem is in the JTable binding because I debbugged Your code and I found a place in wich a test isVisible (applied to a rowset or to a VO, I don't remember) fails and then it "return 0".
The flag tested by that method was setted, in my analysis, only by the execute() wich is not called for a temporary vo. (this is correct because otherwise the Vo would result empty).
Tks
Tullio

Similar Messages

  • Java Bug? Centering a JLable with just an icon in a JScrollPane

    Hi,
    I'm attempting to write a image viewing program. I would like the image centered on the window displaying them, but because some images are larger than the window, I would like the image to be in the upper left hand coner of the window with scroll bars to allow you to view the rest of the image.
    I have attempted to implement this by placing a JScrollPane on a JFrame, and then placing a JLabel in the JScrollPane's Viewport. I set the Label's text to blank, and then set the image, wraped in an InageIcon, as the JLabel's Icon.
    To center the JLabel, I have tried to set the JScrollPane's Viewport's LayoutManager to two different layout managers, but I've found buggy operation with each. The Layout I've tried are the following:
    1. a GridLayout(1,1,0,0); - this works fine when the image is smaller that the available area of the JScrollPane. However, if the window is resized so that the image more than totally fills the JScrollPane, the image gets cut off. What happens is that the image is centered in the available scrollpane view, meaning the uper and left edges of the image get cut off. Scroll bars appear to let you view the lower and righer edges of the image, however, when you scroll, the newly uncovered areas of the image never get drawn, so you can't get to see the lower or right edges of the image either.
    2. a GridbagLayout with one row, and one column each with a weight of 100, centered and told to fill both horizontally and vertically. Again, this correctly centers the JLabel when th eimage is smaler than the available space in the JScrollPane. Once the window is resized so that the image is bigger than the space to view the image in, strange problems occur. This time it seems that the JScrollPane's scrollbars show that there should be enough room to show the image if the image was in the upper left corner, however, the image isn't in the upper left corner, it is offset down and to the right if the upper left corner by an amount that appears equal to the amount of extra space needed to display the image. For example, if the image is 200x300 and the view area is 150x200, ite image is offest by 50 horizontally and 100 vertically. This results in the bottom and right edges of the image getting cut off because the scrollbars only scroll far enough to show the image if the image was placed at 0,0 and not at the offset location that it is placed at.
    You may not understand what I'm trying to say from my description, but below is code that can reproduce the problem.
    Questions. Am I doing anything wrong that is causing this problem? Is that another, better way to center the JLabel that doesn't have these problems? Is this a JAVA Bug in either the layoutmanagers, JScrollPane or JLabel when it only contains an icon and no text?
    Code:
    this is the class that creates and lays out the JFrame. It currently generates a 256x256 pixel image. By changing the imagesize variable to 512, you can get a larger image to work with which will make the bug more obvious.
    When first run the application will show what happens when using the GridLayout and described in 1. There are two commented out lines just below the GridLayout code that use a GridbagLayout as descriped in method 2. Comment out the GridLayout code when you uncomment the GridBageLayout code.
    package centertest;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.awt.image.*;
    public class Frame1 extends JFrame {
        JPanel contentPane;
        BorderLayout borderLayout1 = new BorderLayout();
        JScrollPane jScrollPane1 = new JScrollPane();
        JLabel jLabel1 = new JLabel();
        static final int imagesize=256;
        //Construct the frame
        public Frame1() {
            enableEvents(AWTEvent.WINDOW_EVENT_MASK);
            try {
                jbInit();
            catch(Exception e) {
                e.printStackTrace();
        //Component initialization
        private void jbInit() throws Exception  {
            contentPane = (JPanel) this.getContentPane();
            contentPane.setLayout(borderLayout1);
            this.setSize(new Dimension(400, 300));
            this.setTitle("Frame Title");
            //setup label
            jLabel1.setIconTextGap(0);
            jLabel1.setHorizontalAlignment(JLabel.CENTER);
            jLabel1.setVerticalAlignment(JLabel.CENTER);
            jLabel1.setVerticalTextPosition(JLabel.BOTTOM);
            //create image and add it to the label as an icon
            int[] pixels = new int[imagesize*imagesize];
            for(int i=0;i<pixels.length;i++){
                pixels=i|(0xff<<24);
    MemoryImageSource mis = new MemoryImageSource(imagesize, imagesize,
    pixels, 0, imagesize);
    Image img = createImage(mis);
    jLabel1.setIcon(new ImageIcon(img));
    jLabel1.setText("");
    contentPane.add(jScrollPane1, BorderLayout.CENTER);
    //center image using a GridLayout
    jScrollPane1.getViewport().setLayout(new GridLayout(1,1,0,0));
    jScrollPane1.getViewport().add(jLabel1);
    //Center the image using a GridBagLayout
    /*jScrollPane1.getViewport().setLayout(new GridBagLayout());
    jScrollPane1.getViewport().add(jLabel1,
    new GridBagConstraints(0, 0, 1, 1, 100.0, 100.0,
    GridBagConstraints.CENTER, GridBagConstraints.BOTH,
    new Insets(0, 0, 0, 0), 0, 0));
    //Overridden so we can exit when window is closed
    protected void processWindowEvent(WindowEvent e) {
    super.processWindowEvent(e);
    if (e.getID() == WindowEvent.WINDOW_CLOSING) {
    System.exit(0);
    and here is an application with which to launch the frame
    package centertest;
    import javax.swing.UIManager;
    import java.awt.*;
    public class Application1 {
        boolean packFrame = false;
        //Construct the application
        public Application1() {
            Frame1 frame = new Frame1();
            //Validate frames that have preset sizes
            //Pack frames that have useful preferred size info, e.g. from their layout
            if (packFrame) {
                frame.pack();
            else {
                frame.validate();
            //Center the window
            Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
            Dimension frameSize = frame.getSize();
            if (frameSize.height > screenSize.height) {
                frameSize.height = screenSize.height;
            if (frameSize.width > screenSize.width) {
                frameSize.width = screenSize.width;
            frame.setLocation( (screenSize.width - frameSize.width) / 2,
                              (screenSize.height - frameSize.height) / 2);
            frame.setVisible(true);
        //Main method
        public static void main(String[] args) {
            try {
                UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
            catch (Exception e) {
                e.printStackTrace();
            new Application1();
    }I'm running Java 1.4.1 build 21 on Windows 98. I used JBuilder8 Personal to write this code.

    Hmmm,
    You are correct. Not setting a layout for the scrollpane's viewport (using the default of javax.swing.ViewportLayout) results in the positioning of the image tat I want (center the image if image is smaller than the scrollpane, if the image is larger, place it in the upper-left corener and enable the scrollbars to scroll to see the rest of the image).
    Anyone have any idea why the GridLayout and GridBagLayout act as they do? I gues it isn't that important tomy program, but I'm still not sure that they are operating correctly. (Specifically, GridLayout sha scrollbars, but when you scroll, no new parts of the image are revealed.)

  • Is There a Bug in pdk-html:checkbox  .... ?

    I am attempting to use the <pdk-html:checkbox ....> tag and cannot get it to work.
    When the user presses the Submit button and my code processes the checkbox the checkbox does not reflect that the user checked it.
    The code I wrote in the .jsp is:
    <pdk-html:checkbox value="yes" name="facListBean" property="check_box"></pdk-html:checkbox>
    When the page gets rendered the code gets translated to :
    <input type="checkbox" name="check_box" value="yes">
    Notice the name is not qualified in any way. In the other pdk-html tags I have used the name gets prepended with qualifying data.
    Is this a bug in the pdk-html:checkbox tag? Has anyone else use the pdk-html:checkbox successfully?

    Thanks Don,
    I was unaware of the multibox tag so I looked into it after reading your response. I tried to implement the following example code I found on the Husted web site:
    JSP:
    <logic:iterate id="item" property="items">
    <html:multibox value="val" property="selectedItems">
    <bean:write name="item"/>
    </html:multibox>
    <bean:write name="item"/>
    </logic:iterate>
    Action Form
    private String[] selectedItems = {};
    private String[] items = {"UPS","FedEx","Airborne"};
    public String[] getSelectedItems() {
    return this.selectedItems;
    public void setSelectedItems(String[] selectedItems) {
    this.selectedItems = selectedItems;
    I get the error:
    "You must specify the value attribute or nested tag content"
    I added a value attribute to the multibox tag but that didn't change the error. Any idea what what I need to do here? What am I missing?
    Thanks,

  • Bug : Datatable with disabled checkboxes

    Hello,
    I was able to implement a datatable with modify, delete links for each row.
    The following code works:
    <h:data_table id="DataTable" value="#{DataScreen.records}" var="record">
      <h:column>
         <f:facet name="header"><h:output_text value=" " /></f:facet>
         <h:command_link action="#{DataScreen.modifyAction}">
           <h:output_text value="#{DataScreen.modifyLabel" />
         </h:command_link>
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value=" " /></f:facet>
         <h:command_link action="#{DataScreen.deleteAction}">
           <h:output_text value="#{DataScreen.deleteLabel" />
         </h:command_link>
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value="Column1_Header" /></f:facet>
         <h:output_text value="#{DataScreen.column1}" />
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value="Column2_Header" /></f:facet>
         <h:output_text value="#{DataScreen.column2}" />
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
    </h:data_table>But, I added a third column of type boolean, which is displayed as a disabled checkbox.
    The table is displayed properly in the browser. But, when I click on the modify, delete links,
    the corresponding action method (DataScreen.modifyAction() or DataScreen.deleteAction())
    is not called.
    <h:data_table id="DataTable" value="#{DataScreen.records}" var="record">
      <h:column>
         <f:facet name="header"><h:output_text value=" " /></f:facet>
         <h:command_link action="#{DataScreen.modifyAction}">
           <h:output_text value="#{DataScreen.modifyLabel" />
         </h:command_link>
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value=" " /></f:facet>
         <h:command_link action="#{DataScreen.deleteAction}">
           <h:output_text value="#{DataScreen.deleteLabel" />
         </h:command_link>
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value="Column1_Header" /></f:facet>
         <h:output_text value="#{DataScreen.column1}" />
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value="Column2_Header" /></f:facet>
         <h:output_text value="#{DataScreen.column2}" />
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
      <h:column>
         <f:facet name="header"><h:output_text value="Column3_Header" /></f:facet>
         <h:selectboolean_checkbox value="#{DataScreen.column3}" disabled="true" />
         <f:facet name="footer"><h:output_text value=" " /></f:facet>
      </h:column>
    </h:data_table>I would be glad to know if there is any workaround.
    Thanks,
    Ajay

    I forgot to mention that there is no error message in the log file. The same page is displayed again
    after clicking on the Modify or Delete Link.
    If I remove the third column (disabled checkbox), the modify and delete links work fine.

  • Checkbox position in a list through an itemrenderer

    Hi all,
    I did make some search and couldn't find anything helpful but please don't hesitate to send me somewhere else if this topic has already been discussed.
    Ok,
    I created a list and an itemRenderer. it contains a checkbox and everything goes fine except for two things :
    Position : I can't success in aligning or centering teh checkbox regarding to the list row.
    Label: I can't set any even with dummy text.
    How can I get the checkbox well aligned ?
    cb.mxml
    <?xml version="1.0" encoding="utf-8"?>
    <mx:HBox xmlns:mx="http://www.adobe.com/2006/mxml" width="100" height="20">
        <mx:CheckBox label="a" fontSize="9" />
    </mx:HBox>
    main.mxml
    <mx:TileList columnCount="1" width="100" height="20" dataProvider="{pdfPresetsNameArrayCollection}" itemRenderer="cb" rowHeight="30" dragMoveEnabled="true" dragEnabled="true" dropEnabled="true" dragDrop="handleReorder(event)"  ></mx:TileList>
    Here is what I get as a result :
    I would like to get the checkbox nicely centered but any of the properties I try to set from x/y to verticalCenter is helpless.
    Thanks in advance for any inputs.
    Loic

    Hi and thx for your answer,
    I did try this one without success. In fact a friend of mine tried on his won with my file and checkboxes are well placed. As for its swf file, when I launch it on my computer, checkboxes do appear fine.
    But when I do on my own and compile, it keeps on displaying checkboxes uncorrectly.
    Don't know whatr's wrong :S
    Thx anyway,
    Loic

  • Make smart playlists in iTunes?

    Is it possible to do this? I have a pile of unsmart PLs that I want to convert to smart ones. I've got a scpt going that basically does the job, but although I say
    make user playlist with properties {smart: true, name:PLname}
    they always come out unsmart.
    I note that the iTunes dictionary says smart is r/o, but surely for a new PL I'm just making, I can say smart:true ?

    In case anyone else wants to do what I did, here's the final form of my scpt. But it has a couple of bug workarounds, so it may not work beyond iTunes 8.1.1 (6). Good luck!
    (* Make smart PLs from unsmart Composer-based *)
    (* Doesn't test if unsmart PL name actually IS a composer contained in Music PL. Would take too long. *)
    (* - - - - - - - >>> !!!! TURN OFF AirPort !!!!! <<<- - - - - - - else you can get killed by e.g. Software Update *)
    tell application "iTunes"
    delay 3 -- Delay 3secs to get a chance to click the iT window after launching the scpt.
    set allPLs to (get every user playlist)
    repeat with thisPL in allPLs
    if name of thisPL is not "Music" then
    (* extract 1st word (surname) of unsmart PL name... *)
    if smart of thisPL is false then
    set comp to name of thisPL
    set comp to words of comp -- ludicrous - takes 4 operations to get word out of Unicode text
    set comp to (comp as string)
    ignoring hyphens
    set AppleScript's text item delimiters to " " --necessary for words
    set comp to word 1 of comp -- got 1st word at last
    end ignoring
    tell application "System Events" to tell process "iTunes"
    delay 0.5
    keystroke "n" using {option down, command down} ---- <---- <---- create New smart PL
    (* change Artist to Composer *)
    delay 0.5
    tell scroll area 1 of group 1 of window 1
    delay 0.5
    click pop up button 2
    delay 0.5
    click menu item "Composer" of menu 1 of pop up button 2 -- Change Artist to Composer
    delay 0.5
    keystroke comp & quote -- the quote stops iT auto-complete filling in the whole name etc. See ASCII below
    (*Cursor is still in TF1 of SA1 of G1 of W1, so keystroke comp works almost regardless of where we are*)
    end tell
    (* Change Random to Album *)
    delay 0.5
    click pop up button 1 of window 1
    delay 0.5
    click menu item "Album" of menu 1 of pop up button 1 of window 1
    (* as soon as you change above menu item, Checkbox 3 (to left of 25) gets set. Bug?
    Solution: Click Checkbox 3 of w1 later (below)
    It seems NOTHING can change the 25 to e.g. 999 (another bug?) *)
    (* Now we can complete the Composer *)
    delay 0.5
    keystroke (ASCII character 8) -- rubout the quot in the PL name with a Backspace character
    (* workaround the Limit to 25 checkbox bug *)
    delay 0.5
    click checkbox 3 of window 1 -- uncheck the "limit to 25"
    (* The above WILL DO THE REVERSE OF WHAT I WANT if they ever fix the bug above *)
    (* finish comp and close the New SPL window *)
    delay 0.5
    keystroke return
    (* Now we need a Return to finish the new SPL Name in the sidebar *)
    delay 1
    keystroke return
    end tell
    end if
    end if
    end repeat
    end tell
    beep 3 -- Say we're all done
    tell application "Script Editor" -- TEST
    activate
    end tell*)
    As I said, Good luck!
    David Whitford

  • The end of jagged edges in iMovie using stills

    It took an astonishing 14 months, but I have finally beaten the dreaded jagged edge quality issue in iMovie when using still photos. If you're reading this, you're a sufferer. How could the software be so bad as to ruin every picture you put in there? It's all about knowing the settings, and that can be difficult without some help.
    It feels as though I've really gone through the mill with this programme, but here's your fix - or at least, a fix that worked for me.
    Initially, I was using the first version of iMovie and the first version of OSX. In that environment I found the problem unsolvable. I didn't get anywhere until I upgraded to Panther (10.3.9) and iMovie HD 5.0.2. Here there are many more options and settings, but it is still a minefield. I tried almost every setting there is, and have the 'coasters' to prove it.
    My fix is for widescreen. Choose HDV720P. Select your frame rate in the preferences box at 25 (which is PAL for use in the UK) And that's it. It produces a stable, high quality movie where all the effects available work perfectly - and no jagged edges!
    If, as I do, you use Photo to Movie for more adventurous multiple pan and scans for sections of your movie, export from that software using 'higher quality' on rendering, select 16.9 widescreen, and DV stream PAL as your export format. This stops iMovie from trying to resample it, and very possibly giving a choppy or jerky movement to your imports. Using the above settings will give a perfect result, and you can freely use iMovie's transitions to join an imported item to footage created in iMovie.
    I've now produced many very successful movies on these settings. It works for me, I really hope it works for you. iMovie can drive you up the wall when it doesn't give the results you know it can be capable of.
    Quicksilver G4   Mac OS X (10.3.9)  

    Thanks for the idea, Steve. I like working with the HDV 720P high def projects for slideshows too. The quality is awfully nice to work with and it delivers projects that will work far better with tomorrow's hardware. Although we can't burn HD DVDs yet, hopefully that day will come soon, and the HDV slideshows we create today will look very good on the HDTVs we own tomorrow. They look good today, but they will look even better tomorrow.
    It should be noted, however, that it's not necessary to create an HDV project to avoid the jaggies on still images. The cause of the jaggies in DV projects -- the type of projects we mostly make -- is well known and can be avoided. It doesn't require third-party software like Photo to Movie, but it does require avoiding a bug.
    iMovie adds the jaggies after we press the Create iDVD Project button in the iDVD tab of iMovie. When that button is pressed, iMovie will ask permission to render any UN-rendered clips, including any unrendered KB images. If you grant permission to render, iMovie adds the jaggies while rendering those images.
    If the clips have been previously rendered by Ken Burns, or if you refuse permission to render after pressing the button so iDVD renders them later, you don't get the jaggies.
    I use Ken Burns to render images as they are imported, which it does with great quality. Once rendered, iMovie won't ask to render those images again. One reason I render with Ken Burns is so I can grant iMovie to render OTHER clips when it asks permission.
    Ken Burns will render the image if the KB checkbox is turned ON when the image is imported. So turning on the checkbox avoids the bug.
    If the checkbox isn't on when you import an image, you can select that KB clip in the timeline later, turn the checkbox ON, and Update the image.
    Regrettably, once iMovie has added jaggies to clips they cannot be repaired. It's necessary to re-import the image and discard the flawed clip.
    Karl

  • Server 2012 RDS - User Profile Disks - Errors during Logoff

    I have set up a test Server 2012 RDS collection (Single Server for now) and implemented User Profile disks.
    I have two problems.
    First: My generic test user can connect and does successfully use the user profile disk as expected. However, at
    logoff, the system event log contains these errors:
    The error (NTFS 137) is: The default transaction resource manager on volume C:\Users\ts3.test encountered a non-retryable error and could not start.  The data contains the error code.
    The warning (NTFS 50) that concerns me is:
    It appears that the user profile disk is being "disabled" or "disconnected"
    before the profile data is completely written at logoff. What can I do to troubleshoot this?
    Second:
    Update: A post from Mike Connor on the following page: -LINK- solved
    the problem described below. 
    My administrative user always logs on now with a temporary profile. At the beginning, the UPD was working and mounting. That stopped working. In attempting to troubleshoot, I logged the admin user off and deleted the UPD disk
    file from the share. I remember it working again after generating a new UPD disk file in the share. Soon, it quit working again. I deleted the UPD disk file again from the share and ever since, it has never regenerated a new UPD and
    always logs on with a temporary profile.

    We experience less to zero problems after an outage with our User Profile Disks when we use the option: "Store all user settings and data on the user profile disk". Other then when we use the other checkbox (even though all checkboxes
    underneath are checked). 
    Our test setup was, an RDSH 2012 r2 server(s), with an 2012r2 server holding the share.
    We first tried the "store all user settings" for the User Profile Disk, we logged several accounts onto our RDSH Server we then disconnected our server which holds the share to simulate an outage. After about 5 minutes we connected the
    server again holding the share. When the share comes back online, we logged off the users and logged them back in. The result was a valid profile for all the accounts including their last changes from before the share got disconnected.
    The exact same test was done with the option: "Store only the following folders on the user profile disk" with all checkboxes underneath checked, which gave us corrupt profiles.. We also did these tests by giving the server holding the share a reboot instead
    of an disconnect from network. This gave us the same result. Each test was done at least 2 to 3 times..
    I hope others can confirm this as well in their situation, as it seems to be a bug within that specific checkbox.
    Looking at the above tests, the best way in my test cases were to exclude the default folders (f.e.: \Documents) if you would like to redirect them instead of using them inside your User Profile Disk. Redirects can be done through GPO Folder redirection
    options or GPO registry combined with Environment Variables.
    Even after several attemps to simulate an outage, i get left with consistent profiles. I've now also included an hard reset of my virtual machine (that gave the same results as a disconnect of the network card). This was all done through using the: "Store
    all user settings in the user profile disk". The other option left us with inconsistent profiles. I hope others can confirm this as well..
    Looks to me that the type of connection towards the User profile happens different. You can see this when looking at the C:\users\<username> and subfolders if you use user profile disks. The 2 options show different symbols as well.

  • Aperture Smugmug synchronized delete fails?

    I signed up with Smugmug because of native support for publication and synchronization in Aperture 3.5.1.
    Today when I removed some images from a smugmug shared album Aperture's warning dialog said they'd be removed from SmugMug.
    When I viewed on SmugMug the images were not removed -- but they showed after all other images in the album (no longer sorted by date).
    Anyone else see this? I've reported to smugmug, but of course it could be an Aperture bug.

    Make sure the checkbox shown above is checked.

  • Adobe Reader Customization uninstall previous versions

    Hello, I deployed Adobe Reader XI through Group Policy, Windows Server 2003. I used the Adobe Reader XI Customization Tool, and created a transform. I left the option checked to uninstall previous versions of Reader. Adobe Reader XI installed with all other settings configured properly that were created in the transform; however, the previous version, Adobe Reader X, did not uninstall. Has anyone experience this issue? If so, how did you get the other version of Adobe uninstalled?

    Make sure the last thing you do in the wizard (right before you save) is check the box. There is a current bug in the customization wizard that will uncheck that option if you do anything else afterwards. There is a note of the bug in the wizard documentation located here (see the note in section 6.2): http://www.adobe.com/devnet-docs/acrobatetk/tools/Wizard/installoptions.html#remove-insta lled-products
    The note reads: "There is a current bug in which this checkbox becomes unchecked if any other feature is configured. Therefore, if you want to remove all versions of Reader, check this box as your last action before you save the modified package."

  • RV0XX - Firmware 4.0.4-02 Buggy version

    Yesterday I received my new RV042-V3 to replace my old RV042.
    Quickly I downloaded and installed the latest firmware (RV0XX-v4.0.4.02-tm-20110704-code.bin released 22/AUG/2011, just 2 days ago)
    This version seems buggy. I use the router in a Load Balance configuration but I noticed a strange behavior on WAN/DMZ (wan2) port that does not happen on WAN (wan1) only port, and did not happend in may old RV042 firmware 1.3.12.19-tm
    For the sake of discussion Wan1 is connected on LINK-A, and Wan2/DMZ is Connected to LINK-B;
    If I close down WAN1 (LINK-A), WAN2/DMZ (LINK-B) does resolve DNS OK, but fails to navigate on sites such as www.facebook.com, www.globo.com, if you google, the response list will NOT loads pages; But at the same time it dows navigate well on other sites; (I could not analyze LOG due to a bugs in LOG Option. See Below);
    I dropped every single custom firewall rules and run the tests again. It runned with just the 3 internal initial rules. SAME RESULTS.
    I Resetted and reloaded firmware. SAME RESULTS.
    I Resetted and reloaded 4.0.3 firmware. SAME RESULTS.
    IMPORTANT:
    •1) Swapping Cables i.e. Connecting WAN1 to LINK-B and Vice-versa solves the problem, but reasons for above behaviour is not understood;
    2) So Problem presents only when LINK-B is connected at WAN2/DMZ port, on WAN1 port it goes OK.
    •3) Firmware 4.0.3 presented same behaviour on WAN2/DMS port;
    •4) MY Old RV042 did not present this problem, As well as two other routers performed OK with Link-B.
    •5) For the above mentioned points the problem seems to be related to WAN/DMZ port with new firmware family;
    Noticed a few other bugs:
    1) Firewall > Setting checkbox of General Option "DENY POLICIES" it worked once; Then I unsetted the option it did unset but I was never able to turn it ON again (Syslog informs status change when it is switched to OFF but does not respond status change when checkbox is switched to ON;
    2) Advanced Routing / Static Route configuration blocks the use of NETMASK 255.255.255.255 -> Error message says "IP last block must be between 1 and 254" or something like this. ????!!!! ;
    3) Advanced Routing/static settings does not work at all; The new VIEW button allows to browse Routing Table but RV042 does not respect the Routing Table (Even after rebooting the router);
    4) Daylight saving time accepts only Initial MONTH number to be LESS THAN Final Month number. THIS IS OK in Northern Hemisphere. In South Hemisphere daylight saving time starts late October and ends in February !!!.
    5) I missed the ability to give a SHORT-NAME each firewall rule.
    So my old RV042 firmware 1.3.12.19-tm is back on duty again
    Is there any other (better) means of communicating this group of problems ?

    Setup>Network>WAN Setting.

  • Bug in ADF(10.1.3.2.0) with checkboxes in a table in a pop-up

    So I've found a bug in ADF. The bug manifests when I have a dialog window pop-up with a table with many rows(13 or more). Each row has a checkbox in it. If I change the state of 12 or fewer of the checkboxes and click ok, the returnListener will fire. If I change 13 or more checkboxes, the return listener does not fire.
    I'll try to create a test case/demo for this. Has anyone else encountered this?

    Hi,
    I haven't seen this problem, but I normally use a JSF HTML boolean checkbox for ADF editable tables.
    <h:selectBooleanCheckbox value="#{row.Enabled}"/>I found that the <af:selectBooleanCheckbox> readonly attribute did not evaluate its EL so I stuck with the JSF component since. You could try this component as a workaround.
    Brenden

  • BUG: CheckBox colum inside table (ADF 11.1.2.1)

    I find a bug using CheckBox inside table, this are steps to get the bug.
    1.Create a view object from database table.
    2.Create a where clause in view Object
    3.Create a parameter form (using where clause)
    4.Create a editable table with filter enable
    -- AFTER TEST, ALL WORK
    5. Convert inputText to af:selectBooleanCheckbox
    -- AFTER TEST GET THIS ERROR:
    1- FIlter adf tabla and data is ok.
    2- Apply a filter using parameter form and same time adf:table filter. (Data is not well.)
    As I say this happend only when i change my inputText to af:selectBooleanCheckbox.
    With inputText work well, with booleanCheacBox work bad..
    Someone know if this was fix in 11.1.2.2 ??

    My attribute is not boolean but I fix it in viewRowImplementation accesor:
      public String getProgramada() {
            String dbValue= (String) getAttributeInternal(PROGRAMADA);
            if("S".equals(dbValue))
                retreturn  "true";
            else
                return  "false";       
    public void setProgramada(String value) {
            String valorSeleccionado = null;
            if("true".equals(value))
                valorSeleccionado = "S";
            else
                valorSeleccionado = "N";       
            setAttributeInternal(PROGRAMADA, valorSeleccionado);
        }Seems that change was the problem.. this code work bat generate the BUG i post here.
    SOLUTION:
    1. Revert the viewRowImpl to default accesor.
    2. Modify page definition in tis way using idea from Vinay Agarwal
    <tree IterBinding="VSiriusCorreriasUsuView1Iterator" id="VSiriusCorreriasUsuView1">
          <nodeDefinition DefName="modelo.vistas.VSiriusCorreriasUsuView" Name="VSiriusCorreriasUsuView10">
            <AttrNames>
              <Item Value="Correria"/>
              <Item Value="Descripcion"/>
              <Item Value="Instleer"/>
              <Item Value="Descargadas"/>
              <Item Value="Ejecutadas"/>
              <Item Value="Codusuario"/>
              <Item Value="Codterminal"/>
              <Item Value="Placaveh"/>
              <Item Value="Fechaprog"/>
              <Item Value="Programada" Binds="Programada"/>
            </AttrNames>
          </nodeDefinition>
        </tree>
    <button IterBinding="VSiriusCorreriasUsuView1Iterator" id="Programada" DTSupportsMRU="false" StaticList="true">
          <AttrNames>
            <Item Value="Programada"/>
          </AttrNames>
          <ValueList>
            <Item Value="S"/>
            <Item Value="N"/>
          </ValueList>
        </button>And everything Seems to work Well. Seems to be more easy than add code to accesors in viewRowImpl and work better.
    My checkbox value is get from tree component:
    <af:selectBooleanCheckbox value="#{row.bindings.Programada.inputValue}"
                                                 shortDesc="#{bindings.VSiriusCorreriasUsuView1.hints.Programada.tooltip}"
                                                 id="it7" label="#{bindings.Programada.label}" simple="true" autoSubmit="true">
    </af:selectBooleanCheckbox>

  • Bug : Image Scaling and Centering

    I was wondering if this was a bug with flex or if I was doing something totally wrong.
    The amount of code in this is extremely low, so , I was guessing that there was nothing wrong from my part.
    <?xml version="1.0" encoding="utf-8"?>
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml" layout="absolute">
    <mx:Image id="myimage" maintainAspectRatio="true"
    horizontalCenter="0" verticalCenter="0"
    source="@Embed(source='images.jpg')"
    scaleContent="true" width="100%" height="100%"/>
    </mx:Application>
    This is all the code there is in this application .
    My expectation from this code is that the image should fit the screen, maintain the aspect ratio of the image and finally be both centered horizontally and vertically!
    Can someone help me out in this ?

    Hi,
    Also set verticalAlign="middle" horizontalAlign="center" for the Image control

  • Bug 3.1: Checkbox and "Begin In New Field" set to NO

    Hi,
    if a checkbox field is set to "Begin In New Field" = NO than this will have a very negative effect onto the layout.
    => The checkbox will always be displayed on a new line within the table cell, instead of showing it after the previous field as it was in 3.0.
    See http://apex.oracle.com/pls/otn/f?p=45495:4
    The reason is that the CSS defines "display:block;" for fieldsets which are now generated for checkboxes.
    Maybe a solution would be to use a different class for the fieldset when the checkbox is a "inline" checkbox. The CSS for that class would contain
    display:inline;
    to not render the fieldset in block mode.
    Note: This report is probably quite similar to the bug report which I filled for the APEX Builder where some checkboxes are not showing correctly, but it now also effects our applications.
    Patrick
    My APEX Blog: http://www.inside-oracle-apex.com/
    The APEX Builder Plugin: http://builderplugin.oracleapex.info/ New
    The ApexLib Framework: http://apexlib.sourceforge.net/

    Just a link to the solution 3.1 upgrade problem:  Post Element Text does not align properly

Maybe you are looking for

  • Help - Fatal Error When Loading New Updates of System Software

    Help please!! I have a 8120 and just logged in to sync ( as I do weekly) and was alerted to a Latest Update of Software, so I clicked yes etc. and it all started well, then when the software was part way through the install - suddenly it issued me wi

  • Disappearing images due to URL slash - CS3

    Does anybody know why this happens? When I type in the URL: http://www.aspirationsresume.com/Samples/Admin/AdminProfessional.html all the images are there. When a slash appears at the end of the URL, such as http://www.aspirationsresume.com/Samples/A

  • Parameter field in WD screen

    Hello All, how to create a parameter field (as if it were in abap selection screen ) i am using the wd component WDR_SELECT_OPTIONS in my component. i want to display a parameter field with the description taken from DDIC. iam trying to use the metho

  • BPC Installation on Windows Server 2008

    Does anyone know if SAP BPC version 7.0 can be installed on windows server 2008?

  • My HP Photosmart 5520 will not pick up the paper. Can I get new rollers ?

    My 5520 printer begins to pick up paper and then stops. It then says there is a paper jam.   I have cleaned the rollers, I have checked that the duplex is not warped. The printer is just over 2 years old. Can I get replacement pick up rollers ?