Create a horizontal line

I want a line to appear between copy in a paragraph. How do I
do this?

Heh - 3 different replies, each with a different
interpretation of the
question!
Murray --- ICQ 71997575
Adobe Community Expert
(If you *MUST* email me, don't LAUGH when you do so!)
==================
http://www.dreamweavermx-templates.com
- Template Triage!
http://www.projectseven.com/go
- DW FAQs, Tutorials & Resources
http://www.dwfaq.com - DW FAQs,
Tutorials & Resources
http://www.macromedia.com/support/search/
- Macromedia (MM) Technotes
==================
"Murray *ACE*" <[email protected]> wrote
in message
news:eln07l$faj$[email protected]..
> You mean you want a line to appear between each line, as
if the entire
> paragraph were underlined?
>
> You could use the <u> tag....
>
> --
> Murray --- ICQ 71997575
> Adobe Community Expert
> (If you *MUST* email me, don't LAUGH when you do so!)
> ==================
>
http://www.dreamweavermx-templates.com
- Template Triage!
>
http://www.projectseven.com/go
- DW FAQs, Tutorials & Resources
>
http://www.dwfaq.com - DW FAQs,
Tutorials & Resources
>
http://www.macromedia.com/support/search/
- Macromedia (MM) Technotes
> ==================
>
>
> "misterexper" <[email protected]> wrote
in message
> news:elmvs1$eva$[email protected]..
>>I want a line to appear between copy in a paragraph.
How do I do this?
>
>

Similar Messages

  • How can I create a horizontal line under a line of text?

    Hi,
    I have FM 12.0.3.424.
    Does anyone know how to create a horizontal line under heading text that is the width of the page?  Similar to creating a border but without the top and sides.
    Is it even possible?
    thank you in advance!

    Use the "Frame Below" attribute in the Advanced tab of the Paragraph Designer for your heading tag to use a named Reference Frame from your Reference page. If you're using the default templates for your documents, you could try the Single Line selection (or make your own).

  • Creating a horizontal line image

    I'd like to know how I can convert a photograph into a horizontal line image like this  http://australiandesignreview.com/news/18737-Flythrough-ARM-s-Portrait-tower-Melbourne

    Thanks Jongware
    My printer is non post script and it overrides the settings, I suppose I'll have to go to a commercial printer to resolve this?
    Andy Jarman
    City of Cockburn
    9 Coleville Crescent
    Spearwood
    WA 6163
    V 9411 3674
    F 9411 3333
    E [email protected]
    W www.cockburn.wa.gov.au
      cid:3366089636_350580

  • 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);
    }

  • Creating PDF in Word 2007 creates horizontal line

    Hello,
    This is my first post in this forum. In general, I have not had problems creating PDFs from Word 2003, or from Word 2007 - from either .doc or .docx documents.
    Yesterday, with one document, when I created a PDF, a centered horizontal line kept appearing near the top of the first 2 pages. These 2 pages
    have no header content. This line is NOT in the Word document. The rest of the PDF appears normal - with its normal header content.
    I think the problem is within Word 2007 (what a surprise!) because I can eliminate the problem by printing a .ps file of the Word doc and then
    distilling it.  The only problems with that method are that (1) It's more time-consuming, and - more important -  (2) the bookmarks are not
    automatically created. So, to create bookmarks manually takes even more time, and I don't know how to create the hyperlinks from the TOC
    (or even if that's possible).
    Any idea what's going on?  I tried making PDFs of some other user
    guides (same doc template), and they are fine.
    Many thanks!

    Hi again Raechel,
    It's such fun dealing with Word and "Microsloth", isn't it?!  IMHO, they
    should have left Office alone at the 2003 (or 2002?) versions.... Even at
    2000, styles were easier to deal with!
    Especially after using Madcap Flare for a few years, going back to Word is
    especially torturous.  I go back and forth from one to the other,
    depending on what I'm working on - product-wise or document-wise.
    Your Word certainly may have gotten corrupted, but even if that's not the
    case -- Word is still buggy as hell (forgive the minor expletive)!!
    Glad you made your printing deadline!!
    Regards,
    Melanie
    Melanie Blank
    Product Documentation Specialist
    Rochester Software Associates (RSA)
    (585) 987-6972
    [email protected]
    From:
    Raechel02 <[email protected]>
    To:
    Melanie Blank <[email protected]>
    Date:
    06/15/2011 09:34 AM
    Subject:
    Creating PDF in Word 2007 creates horizontal line
    Melanie,
    I read your post, and decided to spend my evening figuring out what was
    going on.  You are right about it being related to the lines in the header
    and footers, but as my document had no headers and footers, I found that
    odd.  I tried to edit the styles without success.  Now isn't that odd,
    too?
    I had to delete the header and footer styles from my document in order
    to
    get rid of the lines.  I suspect my copy of Word became corrupted as I
    madly
    edited several documents, all with photos.  As my adult son pointed out,
    "well, they don't put their top programmers on Word, after all."  I
    checked
    my memory utilization, and it appears that Word isn't cleaning up after
    itself very well, so it loses track of some of its objects, and things get
    out of synch.
    Well, in the end I managed to re-produce my document, which is good,
    because
    it had to go to the printer last night before midnight, and it got there
    at
    11:40.
    Thanks for your help,
    Raechel

  • Scan to PDF creates jagged or stepped horizontal lines

    I recently upgraded to Acrobat 9 standard from Acrobat 5.
    I removed Acrobat 5 and installed Acrobat 9 on my Windows XP Pro. desktop.
    I have a scanner which I use to scan in documents and create PDF files. After changing versions, when I scan a document with a horizontal line, weather from the document feeder or from the flatbed, the line appears jagged and seems to step or be broken.
    If I use the Microsoft Office Document Scanner, which seems to only create .tiff files, I do not have trouble with horizontal lines.
    It seems to be a setting in Acrobat Standard which I may have mis-configured?

    Hi dbghouse,
    Since the cleanings and alignments did not resolve the issue, the printer may require servicing; please call or email us using one of the methods on the Contact Us page for further assistance.
    Did this answer your question? Please click the Accept as Solution button so that others may find the answer as well.

  • Return key not creating a new line when using the horizontal text tool

    Going through the adobe after effects 'classroom in a book' examples - when writing a line of single line using the horizontal text tool pressing return does not create the next line underneath, the cursor stays on the same line?
    Anybody out there had this problem?

    Hi Bill
    Thanks for replying!
    My OS is windows 7. I think it is the first time I have needed to put more than one line of text in an after effects layer. I am new to CS5.5 - after effects and I'm going through an adobe tutorial  'classroom in a book' series book.
    I thought about using a paragraph text box as you suggest but could not find the function in the tools menu.
    I have since tried clearing the cache out and restoring default layout but with no joy.
    I have used the return key for multiple line text in premier pro and it works perfectly ok.
    Cheers,
    Alan

  • Omni lighting creating horizontal lines on image

    when applying an omni lighting effect to an image it creates horizontal lines, why does it do it and how do i get it to stop.

    Hi Benjamin
    Thanks for replying. Hope theres something you know that could help, its such a little thing but so annoying!!

  • How to create horizontal line dynamically after evry line item

    Hi all,
    I have to redesign the sapscript.
    For a invoice for every new material a horizontal line will be drawen.After that for that material all new line item will be displayed than again a horizontal line should drawn.
    In dynamic how i can know how many line item will be there for the particular material.
    Guranted points will be rewarded .
    Regards
    raj

    Hi
    1st u draw a table and in that u mention all the line items. You can change the size from there it self
        The Code is here for drawing the Box for Total in last page (where there is no next page)
        /:   IF &NEXTPAGE& = 0
        /:   BOX FRAME 10 TW
        /:   BOX HEIGHT ‘0.8&#8242; CM FRAME 10 TW
        /:   BOX HEIGHT ‘1.9&#8242; CM FRAME 10 TW
        /:   BOX XPOS ‘2.5&#8242; CM YPOS ‘0.8&#8242; CM WIDTH ‘1.1&#8242; CM HEIGHT ‘1.9&#8242; CM FRAME 10  >
    Now some help from help.sap.com to understand the code better
    1. /: BOX [XPOS] [YPOS] [WIDTH] [HEIGHT] [FRAME] [INTENSITY]
    Reward all helpfull  answers
    Regards
    Pavan

  • Subtle horizontal lines in HDV footage exported from iMovie 06

    Hello!
    I just bought a Cannon HV-30, which I'll be using to film an instructional DVD. I'm hoping to use iMovie 06 to edit, and was planning on using iDVD until I realized how tricky DVD authoring is, if you want to sell thousands of copies of your DVD and have any hope of them playing on people's DVD players.
    At any rate, I still want to be able to burn drafts of my film using iDVD. I tried doing this yesterday, but my footage was distorted both in the iDVD preview, and in the DVD I burned. The distortion looked different depending on how big the preview window was. When it was fairly small, I'd get this wavy, ripply effect whenever the camera panned. When I maximized the window, and also in the DVD (which was full-screen), I'd get a more subtle jagged edge to vertical lines--every-other-line on the monitor would stick out, like a fine-toothed comb. When there wasn't movement in the film, things looked pretty good, except for a bit of horizontal-lines visible.
    I made my first DVD by using the Export... iDVD function. After I read on this forum that this doesn't produce the best quality, I tried importing the iMovie project into iDVD, but I got similar results.
    Any ideas?
    Thanks a ton,
    Rob

    DVDs look best on the system they were designed for: CRT TV sets with 640x480 square pixels NTSC (768x576 square pixels PAL)
    When 'blownup' in size on large computer monitors or large HD TV sets the image quality will be less than optimum - that's why the new Blu-ray were created.
    There are steps you can take when shooting your video that will help. Remember that mpg compression works on the differences between frames and anything that creates unnecessary difference between frames will cause reduced mpg compressed quality. So: use a tripod to avoid camera shake; make all your pans slow and smooth; and shoot with plenty of light to avoid the 'grain' caused by electronic noise in low light situations.

  • Horizontal lines for each rows in the rtf template

    Hi,
    I am a newbie for XML Publisher. I just created a XML Publisher report for Vendor invoices. But for each invoice/invoice line rows I am getting a horizontal line which separates each row. But I just wanted the vertical line to separate the columns and not for the rows.
    For example, the output looks like
    Invoice number | Item Description| Quantity|
    123__________| xyz__________|_____30 |
    _____________| xyz__________|_____30 |
    _____________| xyz__________|_____30 |
    345__________| xyz__________|_____30 |
    I am getting the report some this like this. But I need the report like below,
    Invoice number | Item Description| Quantity|
    123__________| xyz__________|_____30 |
    _____________| xyz__________|_____30 |
    _____________| xyz__________|_____30 |
    345__________| xyz__________|_____30 |
    (Please consider the ____ as space)
    Please suggest me some solution. tons of thanks in advance.

    Hi Vetsrini,
    Thanks for your prompt reply. I hope I had put the tag that you had mentioned. But anyhow I had sent your the template and the sample XML file to see the output.
    I have one more question also I want a curvey edge for the table and no tthe sharp edge like this _|. If possible please suggest for this also.
    Looking forward for your reply.
    Hope your mail id is fusion{DoT}object[AT]gmail[dOt]com

  • How to draw horizontal line in smartform after end of the all line items

    Hi Friends,
    I am working on the smartform. I have created TABLE node in Main window.
    i want to draw a horizontal line after end of the main window table node. i mean after printing all the line items of the table, I need to print one horizontal line.
    Could you please help me how to resolve this issue.
    FYI: I tried with the below two options. But no use.
    1. desinged footer area in the table node of the main window.
    2. tried with uline and system symbols.
    please correct me if i am wrong. please explain in detail how to draw horizontal line after end of the main window table.
    this is very urgent.
    Thanks in advance
    Regards
    Raghu

    Hello Valter Oliveira,
    Thanks for your answer. But I need some more detail about blank line text. i.e thrid point.
    Could you please tell me how to insert blank line text.
    1 - in your table, create a line type with only one column, with the same width of the table
    2 - in table painter, create a line under the line type
    3 - insert a blank line text in the footer section with the line type you have created.

  • How to display horizontal line in top-of-page by using object oriented ALV?

    How to display horizontal line in top-of-page by using object oriented ALV.
    I am created top-of-page in object oriented alv.
    But not be successes in showing horizontal line in it.
    Can any one pls give solution for this..
    Thanks and regards..

    Hi
    Try like this
    data: gt_list_top_of_page type slis_t_listheader. " Top of page text. 
    Initialization. 
    perform comment_build using gt_list_top_of_page[]. 
    form top_of_page. 
    * Note to self: the gif must be loaded into transaction OAOR with 
    * classname 'PICTURES' AND TYPE 'OT' to work with ALV GRID Functions. 
    * I Loaded NOVALOGO2 into system. 
    call function 'REUSE_ALV_COMMENTARY_WRITE' 
         exporting 
    * I_LOGO = 'NOVALOGO2' 
    * i_logo = 'ENJOYSAP_LOGO' 
             it_list_commentary = gt_list_top_of_page. 
    endform. " TOP_OF_PAGE 
    form comment_build using e04_lt_top_of_page type slis_t_listheader. 
    data: ls_line type slis_listheader. 
          clear ls_line. 
          ls_line-typ = 'A'. 
          ls_line-info = 'Special'(001). 
          fgrant = xgrant. 
          concatenate ls_line-info fgrant 
          'Stock Option Report to the board'(002) 
                 into ls_line-info separated by space. 
                        condense ls_line-info. 
          append ls_line to e04_lt_top_of_page. 
    endform. " COMMENT_BUILD
    Use following syntex for footer print in alv:
    * For End of Page
    form END_OF_PAGE.
      data: listwidth type i,
            ld_pagepos(10) type c,
            ld_page(10)    type c.
      write: sy-uline(50).
      skip.
      write:/40 'Page:', sy-pagno .
    endform.
    *  For End of Report
    form END_OF_LIST.
      data: listwidth type i,
            ld_pagepos(10) type c,
            ld_page(10)    type c.
      skip.
      write:/40 'Page:', sy-pagno .
    endform.
    check this link
    http://abapprogramming.blogspot.com/
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/5dc3e690-0201-0010-1ebf-b85b3bed962d
    Changing width of a custom container dynamically
    Display Page numbers in ALV
    Insert picture in selection screen.
    Logo in OO ALV Grid
    Reward all helpfull answers
    Regards
    Pavan

  • How to find end of the Page in Crystal ? or I need to add one Horizontal line at the end of the page.--- URGENT HELP NEEDED

    Hi friends,
    I need to add one horizontal line  for the detail section at the end of the page.
    I tried to put that line in page footer and i tried with Box also. Both are not properly working. Some space problem is coming.
    Is there any feature to find end of the Page.
    I want report format like this.
    set id  |  set name |  date  Name
      1         x           dddd   vijay
                            dddd   sarathi
                            dddd    reddy
    (End of the page)
    Thanks in advance...
    vijay.

    Do you know how many detail records are showing up per page?
    If you do - you could create a Details B section that is suppressed except for on Record N (where N is a counter, and N is the last Detail record that will show up on a page).
    The Page footer is indeed built so that it will be rendered at the bottom of your physical page of paper.

  • Horizontal lines across video in Adobe Premiere Pro 2.0

    I had used a software called Virtualdub to deinterlace and remove lots of garbage from the edges of a video. I had also used a software called Neat Video inside of Virtualdub to remove a lot of grains from my vhs video.   I prefer to use Adobe Premiere because it's superior to Virtualdub when it comes to color correction.   That is my own opinion, however,  I imported the video from Virtualdub into Adobe Premiere.  I did some color corrections on my vhs video.  The video looks a whole better than the original.  I saved the video with the color correction and exported it as an avi file.  I exported the same video into Pinnacle to burn on a dvd.  I noticed that the video had a lot of  fine horizontal lines going across it.  I would like to know what am I doing wrong with all of  these procedures.  I'm a beginner trying to learn how to use Adobe Premiere Pro 2.0. for video editing.  I would like to use this software totally to edit my video instead of using Pinnacle software. I hope that my problem isn't too complicated.  Thanks.
    Gerald Sr.

    You can do everything in Premiere: you do not need VD or Pinnacle.
    First of all I would not deinterlace nor get rid of the edge gargage of the original footage in VD.
    Depending on how the deinterlacing is being done, it still will bring down the quality off the footage.
    If its for dvd on a standalone player just leave it interlaced.
    Edge garbage is easily removed in Pro2 by scaling up the footage a tiny bit.
    I would only use Neat Video in VD and export the footage to avi with the Lagarith codec which will give you a lossless file.
    http://lags.leetcode.net/codec.html
    Or skip VD and get Neat Video as a plugin for Premiere
    In Premiere you can create dvd's and besides it has a much better mpeg2 encoder then Studio has.
    This is a good site for learning Premiere Pro2:
    http://www.lynda.com/Premiere-Pro-2-tutorials/essential-training/219-2.html

Maybe you are looking for

  • How to activate both connected monitor

    In my application, i have to connect 2monitors with the CPU and have to activate both connected monitors(means both should show windows) PRASHANT SONI SOFTWARE ENGINEER-LabVIEW

  • Where we find changes in data  of table

    if log the table , it records the changes made to the data in the table , where it stores the data. regards, Chandu

  • Where to find documentation for RFCs / IDocs?

    Hi all, We're planning to implement some XI interfaces against the MM module - where can we find online docs for available RFCs/IDoc APIs? Thanks very much in advance! Steve

  • Netgear N600 - "No DSL"

    I've got Infinity but FTTC. Connect to it using standard ADSL socket thingy rather than ethernet type connector. After some initial teething problems, got broadband working (dodgy DIY wiring) but BT HomeHub 5 doesn't have the range I need. Also have

  • Can I get my iPhone messages on iPad?

    Can I get my iPhone messages on iPad?