How do I create a floating text spot

Hi, please can some tell me if I can create a floating text
spot to inset text? Its to place on a image, I want to be able to
position it just correctly. thanks

jcchappy wrote:
> Hi, please can some tell me if I can create a floating
text spot to inset text? Its to place on a image, I want to be able
to position it just correctly. thanks
I think you want to create a Layer in which you can size and
move to
desired position.
Phillip M. Jones, CET |LIFE MEMBER: VPEA ETA-I, NESDA, ISCET,
Sterling
616 Liberty Street |Who's Who. PHONE:276-632-5045,
FAX:276-632-0868
Martinsville Va 24112 |[email protected], ICQ11269732, AIM
pjonescet
If it's "fixed", don't "break it"!
mailto:[email protected]
<
http://www.kimbanet.com/~pjones/default.htm>
<
http://www.kimbanet.com/~pjones/90th_Birthday/index.htm>
<
http://www.kimbanet.com/~pjones/Fulcher/default.html>
<
http://www.kimbanet.com/~pjones/Harris/default.htm>
<
http://www.kimbanet.com/~pjones/Jones/default.htm>
<
http://www.vpea.org>

Similar Messages

  • How do you create aligned interactive text boxs in a PDF with the same width and height?

    how do you create aligned interactive text boxs in a PDF with the same width and height?
    Without free hand creating the sizing?

    Assuming by "interactive text boxes" you mean form fields; in Acrobat, make a form field, then copy it and paste. (GIve the pasted copy a different name so they don't genetate the same field feedback.) Now you have two fields of the exact same size. Shift-click or marquee-drag to select both, then right-click and choose a command from the Align, Distribute or Center menu.

  • How can I create a shadow text effect?

    How can I add a blur effect to text on a BufferedImage. I am trying to create a shadow text effect. Here is what I have currently.
    BufferedImage image = new BufferedImage(500,120,BufferedImage.TYPE_INT_RGB);
    Rectangle2D Rectangle = new Rectangle2D.Double(0,0,500,120);
    Graphics graphics = image.getGraphics();
    Graphics2D g2d = (Graphics2D) graphics;
    g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
    g2d.setPaint(Color.white);
    g2d.fill(Rectangle);
    g2d.draw(Rectangle);
    //Shadow text
    g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
    shadow = new TextLayout("Shadow Text", new Font("Serif", Font.BOLD, 70), g2d.getFontRenderContext());
    g2d.setPaint(Color.lightGray);
    shadow.draw(g2d, 13, 103);
    //Main text
    g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
    text = new TextLayout("Shadow Text", new Font("Serif", Font.BOLD, 70), g2d.getFontRenderContext());
    g2d.setPaint(Color.black);
    text.draw(g2d, 10, 100);
    I found a blur effect but it affect the whole image not just the shadow. Here is an example.
    BufferedImage image = new BufferedImage(500,120,BufferedImage.TYPE_INT_RGB);
    Rectangle2D Rectangle = new Rectangle2D.Double(0,0,500,120);
    Graphics graphics = image.getGraphics();
    Graphics2D g2d = (Graphics2D) graphics;
    g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
    g2d.setPaint(Color.white);
    g2d.fill(Rectangle);
    g2d.draw(Rectangle);
    //Shadow text
    g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
    shadow = new TextLayout("Shadow Text", new Font("Serif", Font.BOLD, 70), g2d.getFontRenderContext());
    g2d.setPaint(Color.lightGray);
    shadow.draw(g2d, 13, 103);
    Blur filter
    float ninth = 1.0f / 9.0f;
    float[] kernel = {ninth, ninth, ninth, ninth, ninth, ninth, ninth, ninth, ninth};
    biop = new ConvolveOp(new Kernel(3, 3, kernel));
    op = (BufferedImageOp) biop;
    image = op.filter(image,null);
    //Main text
    g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
    text = new TextLayout("Shadow Text", new Font("Serif", Font.BOLD, 70), g2d.getFontRenderContext());
    g2d.setPaint(Color.black);
    text.draw(g2d, 10, 100);

    I thought I answered that question?!
    In your code above, watch out for statement:
    image = op.filter(image,null); The resulted buffered image is new, so you are updating the reference held in variable image.
    Unfortunately variable g2d is still refering to a graphics object back by the original image, so:
    g2d.setPaint(Color.black);
    text.draw(g2d, 10, 100);renders on the first buffered image, not the second.
    Here's my code again, touched up a bit.
    import java.awt.*;
    import java.awt.font.*;
    import java.awt.geom.*;
    import java.awt.image.*;
    import java.io.*;
    import java.util.*;
    import javax.imageio.*;
    import javax.swing.*;
    public class ShadowText {
        public static void main(String[] args) throws IOException {
            int w = 500;
            int h = 120;
            Font font = new Font("Lucida Bright", Font.ITALIC, 72);
            String text = "Shadow Text";
            BufferedImage image = new BufferedImage(w,h,BufferedImage.TYPE_INT_RGB);
            Graphics2D g = image.createGraphics();
            adjustGraphics(g);
            //start off all white:
            g.setPaint(Color.WHITE);
            g.fillRect(0, 0, w, h);
            //draw "shadow" text: to be blurred next
            TextLayout textLayout = new TextLayout(text, font, g.getFontRenderContext());
            g.setPaint(new Color(128,128,255));
            textLayout.draw(g, 15, 105);
            g.dispose();
            //blur the shadow: result is sorted in image2
            float ninth = 1.0f / 9.0f;
            float[] kernel = {ninth, ninth, ninth, ninth, ninth, ninth, ninth, ninth, ninth};
            ConvolveOp op = new ConvolveOp(new Kernel(3, 3, kernel), ConvolveOp.EDGE_NO_OP, null);
            BufferedImage image2 = op.filter(image,null);
            //write "original" text on top of shadow
            Graphics2D g2 = image2.createGraphics();
            adjustGraphics(g2);
            g2.setPaint(Color.BLACK);
            textLayout.draw(g2, 10, 100);
            //save to file
            ImageIO.write(image2, "jpeg", new File("ShadowText.jpg"));
            //show me the result
            display(image2);
        static void adjustGraphics(Graphics2D g) {
            g.setRenderingHint(RenderingHints.KEY_TEXT_ANTIALIASING, RenderingHints.VALUE_TEXT_ANTIALIAS_ON);
            g.setRenderingHint(RenderingHints.KEY_FRACTIONALMETRICS, RenderingHints.VALUE_FRACTIONALMETRICS_ON);
        static void display(BufferedImage im) {
            JFrame f = new JFrame("ShadowText");
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.getContentPane().add(new JLabel(new ImageIcon(im)));
            f.pack();
            f.setLocationRelativeTo(null);
            f.setVisible(true);
    }

  • How can I create an expandable text field in Acrobat XI?

    I am trying to create a text field that expands with the text that is entered. I have found several forums saying to use subforms, but how do I create those? Does anyone know where I can find a really good turtorial for XI?

    There are two type of PDF forms: AcroForms that can be created with Acrobat, and XFA forms (static and dynamic) that can be created with LiveCycle Designer. Since the kind you want (dynamic XFA) cannot be created with Acrobat, you'll have to use LiveCycle Designer. Said another way, AcroForms do not support fields that automatically expand based on content. If you want to ask about dynamic XFA forms, you can ask in the LiveCycle Designer forum: http://forums.adobe.com/community/livecycle/livecycle_modules_and_development_tools/livecy cle_designer_es

  • How can I create transparent animated  text with Motion and Final Cut Pro?

    Hi all,
    I am trying to replicate an effect that a previous video editor did in a project, but I can't contact them.
    They made animated text in Live Type, and saved it as a QT movie. When this text is placed over existing video in the FCP project, the text is "transparent", basically it acts like text created in FCP (You can see the background image behind the text, like through the middle of the letter "o").
    I have made some animated text in Motion, but when I save it as a QT movie, and bring it into FCP, the whole 1280x720 screen is covered by this movie, and I have to crop it so it does not cover the background image. It is all black except for the text. And of course the text is not on a transparent layer. Any ideas how I can create this effect with animated text? I've tried messing with transparency and overlay settings, nothing seems to work.
    Running latest version of Final Cut Studio...
    Thanks
    Dave

    Just bring the Motion (.motn) project into FCP and lay it over your clip.
    The QT you're exporting has to carry the alpha channel (animation codec, million+ colors), but don't waste your time/disk space with that. Just bring the motion project into FCP.
    Patrick

  • HT5760 how do i create a group text message

    How do I create a group for text messaging

    Send messages to a group (iMessage and MMS). Tap , then enter multiple recipients. With MMS, group messaging must also be turned on in Settings > Messages, and replies are sent only to you—they aren’t copied to the other people in the group.

  • Text Edit Question:  How Do I Create/Save PLAIN TEXT??

    I've been using Macs now for over a year, and this is still an annoying quibble that I haven't sorted out. I don't know if this is the right place to raise this question or not, but there don't seem to be any other places for it, so it goes here.
    How do create and save a simple, plain text, no code, no embellishments, file using this "TextEdit" program?
    I'm familiar with Notepad in Windows. Used it for a million things for years and years. All it would do is "plain" (i.e. ascii) text. No frills whatsoever.
    No I guess TextEdit is the Mac equivalent of Notepad? But it wants to do both "plain text" and "Rich Text Format," and apparently I haven't learned how to keep them separate.
    I created a new file. I told it to make the file "plain text." Then I typed some stuff, saved and closed the file.
    But when I reopened the file, I found all this crap in the header:
    {\rtf1\ansi\ansicpg1252\cocoartf949\cocoasubrtf330
    {\fonttbl\f0\fswiss\fcharset0 Helvetica;\f1\fnil\fcharset0 LucidaGrande;}
    {\colortbl;\red255\green255\blue255;\red41\green81\blue169;}
    \margl1440\margr1440\vieww9000\viewh8400\viewkind0
    \deftab720
    \pard\pardeftab720\ql\qnatural
    \f0\fs24 \cf0 \
    And all these slashes and other code-type crap that makes the actual text I typed unreadable.
    So, somebody, please, tell me: how do I create a simple plain text file like I used to be able to do with Notepad, and not have to worry about it being all garbled when I go to re-open it.
    Should be easy, but it's not.
    --PS

    If I format fonts, even in a "plain text" document, am I going to wind up with code again when I reopen it?
    Not unless you save it as rich text.
    Why is a "plain text" document even offering me bold and italics or any other kind of formatting?
    Why would someone wanting to write plain text use bold or italics options? On the other hand, I'm sure many people would like to print and compose formatted text now and then even when they prefer to keep TextEdit in plain text mode for most of their work.
    I miss notepad. All it did was plain text. No options to confuse things. Where is the Mac equivalent of THAT??
    Try TextWrangler

  • How can I Create a white hot spot.

    How can I create a white hotspot in an image, i.e. A bright spot with feathered edges for a figure to walk out of, a bit like a sun?

    Create new layer, make an eliptical selection, and fill with the colour of choice.  A muted yellow perhaps.
    Use a high value Gausian blur to soften and feather the layer.  High values of blur will make the flare very thin, so if too thin, duplicate the layer.
    Use Free Transfor to size and shape the flare.
    or
    Select the figure, and copy to a new layer.
    Double click the new layer to open Layer Styles, and use Outer Glow, and some inner glow.  This is by far the better option as you can control the inner and outer glow independantly.
    or
    Open a new document with a square aspect ratio.  Make it at least as big as the other image.
    make a new layer, and make foreground colour yellow, and BG colour white
    Go Filter > Render Fibers.  Use full strength, and a lowish variance.  You are looking for strong, closely spaced vertical streaks.
    Now go Filter > Distort > Polar coordinates.  Make sure Rectangular to Polar is checked and OK it.
    Duplicate the layer to your other image document, and place behind the layer with your figure on it.
    You can play with the flare layer with curves, or maybe add a wee bit of blur and then harden with curves or levels
    If you want the flare layer to overlap the figure a bit, Ctrl (Cmd) click the figure layer to load it as a selection, and add a layer mask to the flare layer.  Move the flare layer above the figure layer.  Now feather the layer mask, using the Mask Properties panel, or use Mask Edge options in the Mask properties panel to expand, or contract the mask.
    Good luck, and let us see the end result.

  • How do I create a plain text version of my HTML Emailer?

    Hi,
    I have created an html emailer in Dreamweaver which works fine, but have noticed that there isn't a plain text version to go with it. How do I add the plain text version to the html so that people that can't see the html version will instead see the plain text version. any answers greatly appreciated.
    Many Thank
    Paul Connor

    Here's an online tool from a good provider
    http://templates.mailchimp.com/resources/html-to-text/

  • How do I create a floating image in thelayer panel?

    I am watching Deke of Lynda.com in his one on one fundamental with cs5.  He says to double-click on the background layer to create a floating image.  it does not work for me.  No matter what tool I have selected, when I double-click on the layer I simply being up the Layer Style dialogue box.  I have googled this problem and done a search here but cannot find the answer to my problem.  Can anyone help me with this?  Thanks.

    You already have a regular layer (floating layer) as others have noted.
    A Background layer has a lock symbol and the name Background is italicized, but
    regular layers can also be locked, however for regular layers that are locked, you can
    just press the Forwardslash (key just to the right of the period key) to unlock those
    as opposed to double clicking on a locked Background layer to make it a regular (floating) layer.
    MTSTUNER
    Message was edited by: MTSTUNER

  • How do I create self-writing text with overlaps?

    I've tried having a look around online and searching on here without much luck.
    I'm new to after effects and I've managed to create a basic self-writing text effect from videos online using a path and stroke technique, but there is a problem with using this technique for what I want. The text I am using has overlaps, where there are intersections, meaning that when I stroke through this area it shows chucks at the side of that line of text from the intersecting line (see below)
    I think the solution is to use a variable width stroke, where I can set the width correctly for each part of the path, but I don't seem to be able to find how to do this on CS6. I only seem to be able to define a width for the entire path at the same time

    Take a close look at this project. It's part of an upcoming tutorial on animating text and masks. Maybe the project will help. It's saved as a CC.
    Note: Dropbox will probably add a .txt extension to the file so just remove it so it just says ScriptWriteOnText_CC.aep and it should open just fine.
    The procedure was to create a text layer, then convert the text to a shape, then add a solid with stroke below the shape. I then animated the end of the Stroke with stroke set to On Transparent. I used the shape layer as a track matte to trim the stroke to the exact shape of the text converted to shape layer. I then added and animated the masks on the track matte layer. Each mask was changed to subtract and as I scrubbed through the timeline I added as many masks as I needed to clean up the crossing lines.
    There are many ways to do this. You could split the layer at the cross over, work the other way around, use Paint, but the idea is always the same and it's tedious, especially if there are a lot of crossing points. You could even create your text layers in Illustrator, convert the text to outlines, then divide up the segments of the letters and sequence them in After Effects.
    The faster you make the animation the easier it is to hide the crossing problems. For example, it only takes me about 3 seconds to sign my full name and with a signature that is that fast you could get away with a lot.

  • How do I create a scrolling text banner?

    I need to create a Flash banner. Fairly straight-forward in terms of looks - a long list of services that scrolls from right to left and then loops continuously.
    I'm using Flash MX 2004. So far I've created the text - it comes on from the right and leaves on the left. The problem I've got however is how to make this a continuous, seamless loop. When it goes off on the left I can't figure out how to make it come back on from the right.
    Any suggestions?

    Try searching Google for "AS2 marquee tutorial"

  • How do I create a global text field so the value will repeat on other pages?

    This is the first time I've used Adobe Livecycle Designer ES2, My experience stems from Acrobat Pro 8. I have the following fields:
    1. Date Field (date formatted)
    2. Name (text formatted)
    3. Chart # (numeric formatted)
    4. Date of Birth (date formatted)
    These fields will be on Page 1.. I have a form that's 4 pages.... once the user fills in the fields on the first page, I want it to automatically populate for pages 2 through 4. How can I make this possible?
    Second question: How do I make Extended Features for reader without distributing the form? There's an easy way to do it in Acrobat Pro, just not sure how in Livecycle Designer ES2

    Well, everything in those PDFs were form fields. You can make form fields in Acrobat - and then you can right-click on 'em and change their appearance, whether or not they'll accept rich text input, whether or not they'll scroll, and so on. It could also be done in LiveCycle Designer, for what it's worth. I wrote a now-obsolete post about this in response to yours before Mike showed up with this video.
    Probably most of your work on your designs in InDesign would need to be trashed; you'd need to rebuild the whole thing in Acrobat or LiveCycle. I have to say that, unless your targeted documents are extremely simple, that this is one of the worst document translation workflows I've ever seen in the last fifteen years. It might work - I'm trying to keep an open mind, here - but if you have any non-Latin-script languages in your target list, or if print reproduction is what you're after, or if you're expecting tracking revisions to the translations to be anything but a nightmare, I would suggest that you test this method inside and out before progressing any further.

  • How do I create dynamic scrolling text in Flash CS5?

    Hi everyone,
    I am a complete newbie to Flash. I'm tyring to build a scrolling text box that automatically scrolls. On mouse over, I want the scrolling to stop so users can click on an item in the text box. All of the items will be tied to external hyperlinks. I want to populate the text box with an external file. I've done some searches on Adobe, but haven't found anything that takes me through the whole process.
    I have the complete Adobe Master Collection. So if this is easier in Flash Catalyst, let me know. I know how to buid a manual scroll box in Flash Catalyst. Could I export this to and add the auto-scrolling?
    Remember, I'm a complete newbie.
    Any help will be greatly appreciated.
    Thanks!

    Thanks again Kglad,
    I really have no preference of Action Script since I don't have any significant experience with either one.
    I'll keep doing searches to see if I can get the information I need.
    Have a great holiday.

  • How do i create gallery with text under thumbnails?

    Hi. Im new in Muse and im trying to learn. My next challenge is to make thumbnails with text under like this:
    And when visitors click a thumbnail it should pop up the original size picture in a lightbox. A mouseover big pic
    should also work.
    Like this site. Affinity Surfaces | Color Gallery Here they have text on thumbnails and when you click on it it shows the full aize pic
    Any tips?
    My goal is to create my own art-page where i can show and sell my artwork

    That worked pnoypie
    I had to manually put pic in thumbnail and in lightbox. (or is it an other way?)
    I also had to put the text under thumbnail manually... but thats ok. To bad i cant group it with the thumbnail.
    Is it a way around that?

Maybe you are looking for

  • Problem with controlling Annotations from Excel VBA

    Hi, I have a PDF document that has plenty of sticky notes attached to it. These sticky notes have been added by multiple authors on all pages of the document. I am trying to import the contents of these sticky notes, their author and the page number

  • DVI problems wif FX5200

    Hi, My Fx5200 does not output DVI. Anyone have suggestions as to what i can do to fix this problem

  • Next,previous,last, and first record

    dear all masters plz help me my code dont work i used button when button pressed and code below First_Record; execute_query; last_record; execute_query; previous_record; execute_query; next_record; execute_query; but all wont work it wont goto the ne

  • LR4 and develop settings in DNG files

    I spent a day developing a set of DNG images in LR4 and then used Bridge to rename all the files. When I sync'ed the folder in LR the develop settings in the DNG files were not there, all zero'ed out. I thought the develop settings were stored inside

  • Work with BAPI_REQUISITION_GETDETAIL

    Hey together, I have an problem. I read with the BAPi for example the name "CREATED_BY" in the following way: arrayreqgetitem[3] = codes.getString("CREATED_BY"); Now I would like do this in generic way. What I mean is, for example I want to get names