Herringbone lines, and vertical and horizontal lines on display which dims

I have an iMac G5 purchased in 2005, six months later under the extension program for the video and power issues, Apple installed a new motherboard and a new power pack. Up to now, everything has been okay.
This morning I turned on my computer and saw the same herringbone lines, vertical lines, horizontal lines on the display which went from dark to light in color. I waited for a while, and a message said to restart my computer which I did.
Because of the previous problems, I am wondering if the motherboard or power pack is going out again. After the start up, my computer was okay for the rest of the day. I took some photos and a video of it to show what is happening to the display, any suggestions.

Thanks Scott for the quick reply. Knowing what happened five years ago with the display, I figured that this was the same issue. It is just a matter of time. I quickly backed up my system to another hard drive and wanted to confirm in the discussion group that my G5 was on it's last gasp.
Since I would be lost without my computer, I just put in an order for the new iMac 27" quad core i5 computer. Now I will have to make monthly payments again, but I think that I will have a much faster, and better computer especially with the Intel processor.
Thanks for your reply, and I hope that my new computer will last longer than five years. My track record was five years for my lime green iMac G3, and now five years for my iMac G5.
Thanks again,
DaisyMay

Similar Messages

  • I have a 11'' mac book air that i recieved through my highschool and i went to get on safari and these gray horizontal lines are going across the top of my screen how do i get them to go away

    i have a 11'' mac book air that i recieved through my highschool and i went to get on safari and these gray horizontal lines are going across the top of my screen how do i get them to go away

    Give it to the school IT department to be fixed.

  • Get rid of BarChart Legend and create a Horizontal Line on a specific value

    Hey,
    i'm working with BarCharts.
    1st Screen: I want to disable the Legend of my Barchart.
    http://imgur.com/wMo6Tfv,DRiNA9C
    Second Screen: I want to create a Line in my Barchart on a specific Value like 700 as seen on the screen.
    http://imgur.com/wMo6Tfv,DRiNA9C#1
    Is this Possible ? Also: For what object do i need to set the ID to change the bar's color. i've tried
    Chart barchart;
    barchart.setId("Chart");
    css:
    #barchart
    -fx-background-color: red;
    But it didn't work. Thanks!

    No, you're not missing anything; I had a temporary brain freeze. You can't add Nodes directly to an arbitrary region.
    So this makes it a bit harder. You need to add the line to the container in which your Chart is held, and of course that means you have to figure out the coordinates of the line relative to that container. To simplify it a bit, the axis has a scale property for converting from axis units to screen units, and also according to the css docs, the chart has a child with css class "chart-horizontal-zero-line". So one possible strategy is to grab that line and figure the change in coordinates needed from it. There's still work to do to figure the correct coordinates relative to the container, and if you want it to work with things moving around (such as when the user resizes the window), you need to do a bunch of binding.
    This seems to work:
    import java.util.Arrays;
    import java.util.List;
    import javafx.application.Application;
    import javafx.beans.binding.DoubleBinding;
    import javafx.beans.property.DoubleProperty;
    import javafx.beans.property.SimpleDoubleProperty;
    import javafx.event.ActionEvent;
    import javafx.event.EventHandler;
    import javafx.scene.Node;
    import javafx.scene.Scene;
    import javafx.scene.chart.CategoryAxis;
    import javafx.scene.chart.LineChart;
    import javafx.scene.chart.NumberAxis;
    import javafx.scene.chart.XYChart;
    import javafx.scene.control.Button;
    import javafx.scene.layout.AnchorPane;
    import javafx.scene.layout.BorderPane;
    import javafx.scene.layout.Region;
    import javafx.scene.shape.Line;
    import javafx.stage.Stage;
    import javafx.util.StringConverter;
    public class LineChartSample extends Application {
      @Override
      public void start(Stage stage) {
        stage.setTitle("Line Chart Sample");
        final CategoryAxis xAxis = new CategoryAxis();
        final NumberAxis yAxis = new NumberAxis();
        yAxis.setTickLabelFormatter(new StringConverter<Number>() {
          @Override
          public Number fromString(String string) {
            return Double.parseDouble(string);
          @Override
          public String toString(Number value) {
            return String.format("%2.2f", value);
        xAxis.setLabel("Month");
        final LineChart<String, Number> lineChart = new LineChart<String, Number>(
            xAxis, yAxis);
        lineChart.setTitle("Stock Monitoring, 2010");
        lineChart.setAnimated(false);
        final XYChart.Series<String, Number> series = new XYChart.Series<>();
        series.setName("My portfolio");
        final List<XYChart.Data<String, Number>> data = Arrays.asList(
        new XYChart.Data<String, Number>("Jan", 23),
            new XYChart.Data<String, Number>("Feb", 14),
            new XYChart.Data<String, Number>("Mar", 15),
            new XYChart.Data<String, Number>("Apr", 24),
            new XYChart.Data<String, Number>("May", 34),
            new XYChart.Data<String, Number>("Jun", 36),
            new XYChart.Data<String, Number>("Jul", 22),
            new XYChart.Data<String, Number>("Aug", 45),
            new XYChart.Data<String, Number>("Sep", 43),
            new XYChart.Data<String, Number>("Oct", 17),
            new XYChart.Data<String, Number>("Nov", 29),
            new XYChart.Data<String, Number>("Dec", 25));
        series.getData().addAll(data);
        final AnchorPane chartContainer = new AnchorPane();
        AnchorPane.setTopAnchor(lineChart, 0.0);
        AnchorPane.setBottomAnchor(lineChart, 0.0);
        AnchorPane.setLeftAnchor(lineChart, 0.0);
        AnchorPane.setRightAnchor(lineChart, 0.0);
        chartContainer.getChildren().add(lineChart);
        Button button = new Button("Show line");
        button.setOnAction(new EventHandler<ActionEvent>() {
          @Override
          public void handle(ActionEvent event) {
            final double lineLevel = 35;
            final Region chartRegion = (Region) lineChart
                .lookup(".chart-plot-background");
            final Line zeroLine = (Line) lineChart
                .lookup(".chart-horizontal-zero-line");
            final DoubleProperty startX = new SimpleDoubleProperty(0);
            final DoubleProperty endX = new SimpleDoubleProperty(0);
            final DoubleProperty y = new SimpleDoubleProperty(0);
            startX.bind(new DoubleBinding() {
                super.bind(chartRegion.boundsInParentProperty());
              @Override
              protected double computeValue() {
                double x = chartRegion.getBoundsInParent().getMinX();
                for (Node n = zeroLine.getParent().getParent(); n != chartContainer && n.getParent() != null; n = n.getParent()) {
                  x += n.getBoundsInParent().getMinX();
                return x;
            endX.bind(new DoubleBinding() {
                super.bind(chartRegion.boundsInParentProperty());
              @Override
              protected double computeValue() {
                double x = chartRegion.getBoundsInParent().getMaxX();
                for (Node n = zeroLine.getParent().getParent(); n != chartContainer && n.getParent() != null; n = n.getParent()) {
                  x += n.getBoundsInParent().getMinX();
                return x;
            y.bind(new DoubleBinding() {
                super.bind(chartRegion.boundsInParentProperty(),
                    yAxis.scaleProperty(), zeroLine.startYProperty());
              @Override
              protected double computeValue() {
                double y = zeroLine.getStartY() + lineLevel * yAxis.getScale();
                for (Node n = zeroLine.getParent().getParent(); n != chartContainer && n.getParent() != null; n = n.getParent()) {
                  y += n.getBoundsInParent().getMinY();
                return y;
            Line line = new Line();
            line.startXProperty().bind(startX);
            line.endXProperty().bind(endX);
            line.startYProperty().bind(y);
            line.endYProperty().bind(y);
            chartContainer.getChildren().add(line);
        BorderPane root = new BorderPane();
        root.setCenter(chartContainer);
        root.setTop(button);
        Scene scene = new Scene(root, 800, 600);
        lineChart.getData().add(series);
        stage.setScene(scene);
        stage.show();
      public static void main(String[] args) {
        launch(args);
    }

  • Hide horizontal and vertical lines in a JTree

    Hi,
    suppose we have three JTrees in a Windows L&F where the second one shall not show any vertical or horizontal lines for a node. If this restriction would be true for all three JTrees one could invoke
    UIManager.put("Tree.paintLines", Boolean.FALSE).
    However only the second one must not show any lines. I tried something like
    tree.putClientProperty("Tree.paintLines", Boolean.FALSE);
    tree.updateUI();But unfortunately this does not work as the lines are still shown. Furthermore we need to set "on/off" the lines dynamically dependend on the user data.
    Does anyone have a clue to solve this problem?
    Thx.

    only tested on windows, but this seems simple enough
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.tree.*;
    class Testing
      boolean showLines = false;
      public void buildGUI()
        JButton btn = new JButton("Show/Hide Lines");
        final JTree tree = new JTree();
        tree.setUI(new javax.swing.plaf.basic.BasicTreeUI(){
          protected void paintHorizontalLine(Graphics g,JComponent c,int y,int left,int right){
            if(showLines) super.paintHorizontalLine(g,c,y,left,right);
          protected void paintVerticalLine(Graphics g,JComponent c,int x,int top,int bottom){
            if(showLines) super.paintVerticalLine(g,c,x,top,bottom);
        JFrame f = new JFrame();
        f.getContentPane().add(new JScrollPane(tree),BorderLayout.CENTER);
        f.getContentPane().add(btn,BorderLayout.SOUTH);
        f.setSize(200,200);
        f.setLocationRelativeTo(null);
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setVisible(true);
        btn.addActionListener(new ActionListener(){
          public void actionPerformed(ActionEvent ae){
            showLines = !showLines;
            tree.repaint();
      public static void main(String[] args)
        SwingUtilities.invokeLater(new Runnable(){
          public void run(){
            try{UIManager.setLookAndFeel("com.sun.java.swing.plaf.windows.WindowsLookAndFeel");}catch(Exception e){}
            new Testing().buildGUI();
    }

  • How to generate a report with Courrier font and no horizontal lines?

    Hi guys,
    In a wizard-generated report, I want to accomplish the following things.
    1. Print table data (I'm only printing one column) in a non-proportional font (e.g. Courrier).
    2. Suppress the vertical lines that Apex automatically puts in between each record.
    How can these two things be accomplished?
    Thanks,
    Kim
    P.S. I'm running Apex 4.1.

    Fair enough. I'll try to be more specific. Assume you're running a query from SQL Developer on a single column from a single table. In the table, the data is already formatted to be displayed using a non-proportional font (old-time religion here). SQL Developer will show the contents of the column formatted exactly like the author intended (non-proportional font and no "helpful" horizontal lines between the rows). That's exactly what I want Apex to do. In the rectangular area that Apex creates for the report contents display, I want Apex to show the rows from that table in a non-proportional font with no horizontal lines between the rows. The report query will be just about as simple as possible (i.e. select col1 from tab1 order by col 2). How should I go about achieving this result?
    Thank you so much!

  • My IP7250 is suddenly printing a bright horizontal line at the start of the page and a dark horizont

    My IP7250 is suddenly printing a bright horizontal line at the start of the page and a dark horizontal line at the end.
    Every time the lines are printing in the exact same place.
    it happens mostly when prining involves blue colors.
    the line are approx. 1 cm wide.

    Try:
    - Reset the iOS device. Nothing will be lost
    Reset iOS device: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Restore from backup. See:                                 
    iOS: How to back up                             
    - Restore to factory settings/new iOS device.
    If still problem, make an appointment at the Genius Bar of an Apple store since it appears you have a hardware problem.
    Apple Retail Store - Genius Bar          

  • Mac Mail and the Elusive Horizontal Bar / Separator Line

    LIke so many people, I tried to devise the best way to insert a horizontal separator bar between messages in a multi-message thread. I refuse to insert a long string of dashes -- I want a solid black separator bar -- and I don't want to use a plugin either. So here's the best I can do at this point:
    First, to set it up, open a blank Word document, type three dashes ("---"), hit the Return key (the dashes turn into a horizontal bar), copy the line above and below the resulting horizontal line (ie., to be sure you encapsulate the line within your selection), and then paste it into a new (empty) email.
    If you do the same thing with the equal sign ("===") you end up with a DOUBLE line separator. You might as well copy that into your blank email too.
    Then, simply save that new email in your DRAFT folder so you can easily access those lines quickly to copy/paste them in any other email.
    This only seems to work when the horizontal line is black. You can change the line in Word to any color (using the Borders and Shading tab in the Format Pallette) but then when you paste it into a Mail, the line is invisible, so just use a black line.
    Just fyi.

    Simple solution--very simple
    Open up MS word (or Pages alternative) and create a horizontal line by  holding down the "shift" key and then holding down the "_" key to make the line as long as you want
    Copy this line into your clipboard
    Open Automator
    Go to Automator | Services | Services Preferences | and click the "Text" button across the top
    Type the two letters "ln" in the "Replace" column and the paste the _______________________________ you created and copied in the "With" Column
    Every time you type the letters ln into your email, it gives you the option of replacing the letters ln with a line if you simply hit return
    Hope that helps--I was Googling the solution--and came up with that....

  • IPhone5 touchscreen "develops" grey lines around text and becomes unresponsive

    My original iPhone 5 has developed another issue with the touch screen.
    When switching the phone on after a few moments the touchscreen begins to "develop" grey lines, both vertical and horizontal around the text on the screen, which eventually renders the touchscreen inactive after approx 2 minutes.  The development of the grey lines is quicker at cold temperatures, e.g. outside
    To clear this issue I have to switch the phone off and on again (not power down).  This is now making it very difficult to browse the internet, and write messages.  It is also becoming increasingly difficult to swipe to answer calls.
    I am up to date with system upgrades, so currently on iOS 8.1.1(?)
    This is the second issue I've had with the touchscreen in 2 months, and I'm beginning to wonder if I should replace the phone all together :/
    Does anyone have any insight into this issue/had similar problems, and... is it fixable?
    Thanks!

    It is very possible, but first things first.
    This is the second issue, what was the first one? What user troubleshooting have you tried?
    What do you mean about switching the phone off and on again no powering down? What do you call turning the power off?
    As far as being fixable, first need to know what you have done as far as trying to fix the problem.

  • I have iMovie 8.0.6 and an iPhone 4S.  I took hours of videos on vacation (Australia and New Zealand) and want to make a movie.  I've imported the first batch into iMovie and started the project.  I just realized that I shot both horizontally and vertical

    I have iMovie 8.0.6 and an iPhone 4S.  I took hours of videos on vacation (Australia and New Zealand) and want to make a movie.  I've imported the first batch into iMovie and started the project.  I just realized that I shot both horizontally and vertically and when I preview (on full-screen) what I've combined, first it's wide-screen, then it's tall, narrow with wide black sides. 
    The film looks choppy, no flow, since it alternates horizontally and vertically.
    I can import the vertical clips two ways:  "Full-Original Size", or "Large 960x540."  But the vertical clips have very short, fat people.
    This didn't happen with my Flip HD; the movies are smooth and terrific.  My heart is breaking.....please, how can I make the videos match?

    Yes, I'd like to use all the video I shot, put it together with music, titles, etc. and make it consistant.  when it goes from full screen to this vertical, narrow clip, it's very awkward.....and it's so narrow, it's hard to see what I'm looking at; my eyes don't make the adjustment quickly.

  • OFFICEJET PRO 8600 PLUS HAS POOR QUALITY, BLACK TEXT HAS HORIZONTAL LINES & FADING

    I have a Officejet Pro 8600 Plus which is a few months old. It gets light use although I'm a graphic designer working from home.
    The problem just started with a very poor print quality.  The black text fades in and out, has horizontal lines through it.  The color text also has horizontal print qualities.
    I replaced all of the color ink cartridges, the black is mostly full.
    I have repeatedly run the Align Printhead and Clean Printhead functions on the printer with no improvement. 
    What can I do at this point?  I need the printer function very soon.
    I'm on a Mac OS 10.7.5

    Hello Brembo50,
    Welcome to the HP Support Forums!
    Regarding the Officejet pro 8600 not printing a clean crisp black text, the steps you have done are very good attempts to resolve.
    When you printed the cleaning, did the characters print clean and crisp? It should look like this:
    Please excuse the blurry image and colors should be on the bottom of the page, how ever the above should give you an idea of what it should look like.
    Performing the steps in this HP document: Fixing Ink Streaks, Faded Prints, and Other Common Print Quality Problems should help. It will have you doing steps you have done already, I recommend doing the steps but you could skip the steps you have done already.
    Let me know how things look now,
    JERENDS
    I work on behalf of HP
    Please click “Accept as Solution” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos Thumbs Up" to the left of the reply button to say “Thanks” for helping!

  • Thin Horizontal Lines visible within PDF file after OCR run

    I print to PDF(Acrobat 9.1 Pro), from an imaging application where the images are stored and managed as 300dpi TIFF(Group 4) B&W.
    The PDF file is produced with no issues.  At this time I run the OCR process to capture the type written data.  As the OCR process works it's way throught the file, the PDF is re-written with both OCR data and thin black horizontal lines every 2/3 of a inch down the page.
    These lines will be saved with the file and print out.
    How do I eliminate these lines?

    I had this problem too.  I'm using Acrobat Pro 9.4 and after OCRing a doc it had horizontal lines running across the page.  We were able to fix it by first Optimizing the document and then OCRing it.
    Document > Optimize Scanned PDF
    When finished, Document > OCR Text Recognition > Recognize text using OCR
    Hope this helps

  • Printing of horizontal lines

    I am using Photoshop Elements 9 on a Mac (Lion) and I get horizontal lines when printing. I have eliminated printer error by using several printers and if I print direct from i photo there is no problem.  Can anyone help?

    Well, the first thing I'd try is going to your username>library>preferences and deleting:
    com.adobe.PhotoshopElements.plist
    Adobe Photoshop Elements 9 Paths
    Adobe Photoshop Elements 9 settings
    That library is hidden in lion. To see it, option-click the Go menu in the Finder and it will appear below the little house for your user account.
    While you're in there, go to the Saved Application States and delete anything for PSE.

  • Exporting As QuickTime Movie Produced Horizontal Lines Near Movement

    I select Export > QuickTime Movie to produce a full quality full resolution video. Then I open the movie in QuickTime and I see horizontal lines wherever there is movement in the video. Why is this happening. And if I want to export a full quality full resolution video from my 29.97fps 1920x1080 film do I chose Export > QuickTime?

    When played on a TV, you shouldn't notice the interlacing. CRT TVs are made for displaying interlaced video and progressive scan TVs usually deinterlace the signal prior to display.
    If it's for computer viewing only, deinterlace the video when exporting.
    -DH

  • Horizontal lines in panning footage?

    I have shot some footage for a client and I have to make a WMV and a QT version for the web but when I export the footage it looks blocky and has jagged horizontal lines as the camera pans past the subject matter, should I apply a filter to the footage?
    It was shot on Sony Z1 SD footage PAL!!

    You need to de-interlace before you output to QT and WMV. There's a basic de-interlace filter built-in to Final Cut Pro or you can get a higher quality 3rd-party de-interlacing tool.

  • My i860 canon printer is suddenly printing color pictures with light blue and darker blue horizontal

    My i860 canon printer is suddenly printing color pictures with light blue and darker blue horizontal lines.  I have changed the cyan blue cartridge and the problem still exists.  Does anyone know what the problem is?  Thanks.

    Hi CSM,
    We can perform a print head cleaning and alignment on the printer to try and resolve the issue.  To do this, please follow the steps below:
    PRINT HEAD CLEANING
    With the printer powered on, press and hold the <Resume/Cancel> button. 
    <1> Resume/Cancel button
    When the power lamp blinks once, release the button.
    Note:  The power lamp will blink and print head cleaning will start. The cleaning completes when the power lamp stops blinking.  (It will take about 30 seconds to a minute for the power lamp to stop blinking and remain lit solid green.)
    PRINT HEAD ALIGNMENT
    Confirm that the printer is powered on, and load Letter-sized white plain paper in the sheet feeder.  
    Note:  If paper other than Letter-sized white plain paper is loaded, print head alignment cannot be performed properly.  The automatic print head alignment must be performed from the Automatic Sheet Feeder on the top of the printer.  It cannot be performed from the cassette.
    Press and hold the <Resume/Cancel> button, and release it when the Power lamp blinks four times.  (The Power lamp will start blinking and pattern printing will start.)  
    Print head alignment will start automatically as the following pattern is printed.  
    Note:  Please wait approx. three minutes until printing is completed.
    Hope this helps!
    This didn't answer your question or issue?  Find more help at Contact Us .
    Did this answer your question? Please click the Accept as Solution button so that others may find the answer as well.

Maybe you are looking for

  • Data Quality Comparison Report across Systems(MDM and BW)

    Hi, I have a requirement of generating a Data comparison report in Excel using BODS. I need to extract data from SAP MDM and SAP BW and do a comparison on the record basis. For example.I take a material 100 record from MDM and same Material 100 recor

  • Why does my external hard drive unmount?

    Hi, I am having the new problem with my Seagate Free Agent Fire Wire external hard drive. (my other external hard drive is uneffected). The drive is is connected to my 2009 Mac ProQuad Core via FW800 port. It started happening consistnatly about 1 we

  • Form with variable number of fields?

    I need to write a data entry form in JSF. It's the standard kind of things, a series of labels and textFields and checkboxes and so on. The number of items is not known in advance. It is data-dependent. There might be 1 label-value pair sometimes and

  • Add new link to Portal Favorites in a JspDynpage using API?

    Hi everyone! I need to add a new link (like the current page in the portal) with java... but without using the menu tray bar. Is there any java API which I can use Add a portal favorite? Any Idea ?? Thanks you very much in advance

  • Problem with htmlText

    I'm having a problem displaying htmlText properly in Text and TextArea controls. My application has a Rich Text Editor control which allows users to enter text and save it to a MySQL database via PHP. No modifications are made to the text before savi