Name Tags

I would like to be able to print name tags from a database... Can anyone help me figure out how to do this?
Thanks!

Appleworks is my favorite program for the task for the very reasons you mention.
First, it is dirt easy to create a new database and Appleworks has a template included for contacts.
Once you have entered the data you create different layouts. For example, in one contact database I have multiple layouts. Example:
1. Layout 1 Print out all the contacts in Roster format.
2. Layout 2 is name tags for seats
3. Layout 3 is address labels.
4. Layout 4 is a calling checklist.
All these layouts I created in one database! Pretty darn slick.
There have been many complaints about Pages limited mail merge. It only communicates with Address Book. Appleworks Word Processing files do mail merge from any Appleworks database and any field. As mentioned previously, you can create layouts within the database to print out the info.
Hesitancy to recommend Appleworks comes from its lack of development, although it has been mentioned elsewhere that Appleworks runs well on Intel Macs.
If you want to work with Pages consider creating a new group in Address Book with the contact names you wish. At the end of the project you can delete all the contacts by selecting a the group, selecting a contact in the group, press ⌘ + A to select all contacts and then press delete. When it asks how you want to delete the contact make sure you select, delete from Address Book.
Kurt

Similar Messages

  • Web App name tag capabilities and Upload response handling

    Hi Guys,
    Let me begin by apologising for how long-winded this is going to be. 
    I have set my products up in the ecommerce module utilising catalogues etc - I have removed the buy now and cart options, so the ecommerce module is operating essentially like a showroom.  What I want to do now is link the individual large products to a web app because my product range requires personalization and the customers need to give me information and assetts to get their finished product back - the key for me is getting reports from the system, the web apps are just a portal to those reports.  So the workflow would see them submit their text and assetts to be used in the final product and pay via the web app.  With the web app that takes payment and allows them to submit their personalization stuff I was going to make one per product, so if product a) requires them to submit one block of text and 2 photos, the web app would have corresponding fields.  Then I got thinking about using content holders, the one web app for all products that need one block of text and 2 photos, if I could get the name tag to populate with the product page that sends to it, or the page name the web app form is inserted on, because this will correspond to the large product.  This way when I do the reporting instead of having to report from heaps of web apps, I could just filter the reports by the product name.  It would mean I would only need a handful of web apps vs needing quite a lot, but if it is beyond me I am happy that I have a solution, even if it is a bloated one.
    The other part of this involves me needing to capture the uploaded file name in the web app form fields so I can report from them.  I have been looking around and came across the below code.  My web app will require 1-12 uploaded file names to be captured in 1-12 form fields i.e. img_1 - img_12 - I am not a coder but I wondered whether this had potential for what I need.  It comes from here http://www.openjs.com/articles/ajax/ajax_file_upload/response_data.php
    Thanks in advance for taking the time to digest all of this.
    Mandy
    A Sample Application
    For example, say you are building a photo gallery. When a user uploads an image(using the above mentioned ajax method), you want to get its name and file size from the server side. First, lets create the Javascript uploading script(for explanation on this part, see the Ajax File Upload article)...
    The Code
    <script type="text/javascript"> function init() { document.getElementById("file_upload_form").onsubmit=function() { document.getElementById("file_upload_form").target = "upload_target"; } } </script>  <form id="file_upload_form" method="post" enctype="multipart/form-data" action="upload.php"> <input name="file" id="file" size="27" type="file" /><br /> <input type="submit" name="action" value="Upload Image" /><br /> <iframe id="upload_target" name="upload_target" src="" style="width:100px;height:100px;border:1px solid #ccc;"></iframe> </form> <div id="image_details"></div>
    And the server side(PHP in this case) script will look something like this...
    <?php list($name,$result) = upload('file','image_uploads','jpg,jpeg,gif,png'); if($name) { // Upload Successful $details = stat("image_uploads/$name"); $size = $details['size'] / 1024; print json_encode(array( "success"     =>     $result, "failure"     =>     false, "file_name"     =>     $name,     // Name of the file - JS should get this value "size"          =>     $size     // Size of the file - JS should get this as well. )); } else { // Upload failed for some reason. print json_encode(array( "success"     =>     false, "failure"     =>     $result, )); }
    Here we are printing the data that should be given to JS directly into the iframe. Javascript can access this data by accessing the iframe's DOM. Lets add that part to the JS code...
    function init() { document.getElementById("file_upload_form").onsubmit=function() { document.getElementById("file_upload_form").target = "upload_target"; document.getElementById("upload_target").onload = uploadDone; //This function should be called when the iframe has compleated loading // That will happen when the file is completely uploaded and the server has returned the data we need. } }  function uploadDone() { //Function will be called when iframe is loaded var ret = frames['upload_target'].document.getElementsByTagName("body")[0].innerHTML; var data = eval("("+ret+")"); //Parse JSON // Read the below explanations before passing judgment on me  if(data.success) { //This part happens when the image gets uploaded. document.getElementById("image_details").innerHTML = "<img src='image_uploads/" + data.file_name + "' /><br />Size: " + data.size + " KB"; } else if(data.failure) { //Upload failed - show user the reason. alert("Upload Failed: " + data.failure); } }
    Explanation
    Lets see whats happening here - a play by play commentary...
    document.getElementById("upload_target").onload = uploadDone;
    Set an event handler that will be called when the iframe has compleated loading. That will happen when the file is completely uploaded and the server has returned the data we need. Now lets see the function uploadDone().
    var ret = frames['upload_target'].document.getElementsByTagName("body")[0].innerHTML; var data = eval("("+ret+")");
    These two lines are an eyesore. No - it goes beyond 'eyesore' - this is an abomination. If these lines causes you to gouge out your eyes and run for the hills, I can understand completely. I had to wash my hands after writing those lines. Twice.
    var ret = frames['upload_target'].document.getElementsByTagName("body")[0].innerHTML;
    This will get the data the server side script put in the iframe. This line cannot be avoided as far as I know. You can write it in different ways - but in the end, you will have to take the innerHTML or the nodeValue or something of the body element of the iframe. I used the smallest code in the sample. Even if you specify the Content type of the iframe page as text/plain, the browser will 'domify' it.
    One other thing - in frames['upload_target'] the 'upload_target' is the name of the iframe - not the ID. Its a gotcha you need to be aware of.
    var data = eval("("+ret+")");
    Thankfully, this line can be avoided - you can use some other format(in this particular case the best format might be plain HTML) so that you don't have to parse a string that comes out of innerHTML. Or you can use CSV. Or plain text. Or JSON as we are doing right now - just parse it without using eval(). Reason I choose it? Smallest code - and easier to understand.
    Now we have a working system. The files are uploaded and data reaches the client side. Everything works perfectly. Oh, how I wish I could say that. But nooo - the nightmare of every javascript developer rears its ugly head again...
    Internet Explorer
    Internet Explorer, also known as IE, also known as the Beast, again manages to mess things up. They don't support the onload event for iframe. So the code...
    document.getElementById("upload_target").onload = uploadDone;
    will not work. WILL. NOT. WORK. Thanks IE, thanks very much.
    So, what do we do? We use a small hack. We put a script tag inside the iframe with a onload event that calls the uploadDone() of the top frame. So now the server side script looks like this...
    <html> <head> <script type="text/javascript"> function init() { if(top.uploadDone) top.uploadDone(); //top means parent frame. } window.onload=init; </script> <body> <?php list($name,$result) = upload('file','image_uploads','jpg,jpeg,gif,png'); if($name) { // Upload Successful // Put the PHP content from the last code sample here here } ?> </body> </html>
    Okay - now we have a IE-proof working system. Upload an image using the below demo application to see it in action.
    If you have a better way of doing this, please, PLEASE let me know. I feel dirty doing it this way.
    See it in Action

    You also need to consider when someone removes a product and what happens in terms of the things uploaded.
    Not saying your way wont work but I have the structure for this basically very similar on sites already that covers all the basis of real world use and works well.
    Mine is future proof anyway. BC will never ( I have it in writing) replace the code because it will break implementations and sites directly. jquery version is on the cards but the way that will be implemented or any change will either be with notice and on new sites not old or like many features an option in the admin to change it.

  • After a search of the bookmark library for a certain bookmark (and search finds it), how do you then tell what folder it is in? There should be a 'Folder' column in the title line like this, Name, Tags,Folder,Location. Thank you.

    A search of the Library bookmarks should provide each bookmark's folder as well as Name, Tags, and Location.
    As it is now, a search (for example) for the string 'IESI', a refuse collection company in Central Texas, actually finds IESI. But what if you cannot remember what folder you put the IESI bookmark in? Current search fails to provide folder information.

    See:
    *Show Parent Folder: https://addons.mozilla.org/firefox/addon/show-parent-folder/
    *Go Parent Folder: https://addons.mozilla.org/firefox/addon/go-parent-folder/

  • How do I keep the name tags in Picasa Web Albums from appearing on the images by default? With Explorer, name tags only appear when mousing over the image, but with Firefox, all the tags appear on the picture as soon as it is loaded, which looks messy.

    I use Picasa to create web albums, and I tag people who appear in the pictures. With Explorer, the name tags do not appear on the pictures until I mouse over a specific person, at which point the tag appears. With Firefox, the name tags appear as soon as the picture is loaded, and only disappear when you mouse over the people in the picture. This makes the picture look messy; by default, one would want to see a picture without tags all over people's faces.
    The only way to "fix" this is to disable the name tags completely (or tell people to use Explorer!), but this is not an ideal solution, since I would like to be able to share albums with people's names in them.

    I use Picasa to create web albums, and I tag people who appear in the pictures. With Explorer, the name tags do not appear on the pictures until I mouse over a specific person, at which point the tag appears. With Firefox, the name tags appear as soon as the picture is loaded, and only disappear when you mouse over the people in the picture. This makes the picture look messy; by default, one would want to see a picture without tags all over people's faces.
    The only way to "fix" this is to disable the name tags completely (or tell people to use Explorer!), but this is not an ideal solution, since I would like to be able to share albums with people's names in them.

  • Create name tags in SAP LSO

    Hi,
    Does anyone know if it is possible to print out name tags for course participants through SAP LSO? I have not come across anything that allows this to be done.
    Best regards
    Jakob

    Thank you very much sapuser909,
    I found that very helpful, i was able to print out some names, however the formatting and layout was not what was expected, do you know if it is possible to change the layout of the design for the name tags?
    Thanks in advance
    Jakob

  • Can I add a name/tag to a picture with just my iPhone?

    Can I add a name/tag to a picture with just my iPhone.  I know how to do it in iPhoto with my Mac, but I won't have that with me.

    https://support.mozilla.com/en-US/kb/How+to+customize+the+toolbar
    There's a New Tab button in the Customize Palette, just move it to where you want it.

  • Create an own tag  h:name-Tag to replace h:CommandButton

    Hello,
    I have 2 questions :
    1 - How can create a personal tag in a JSF application?
    2 - How can I do to make this application :
    an example :
    I have 3 buttons A, B and C (<h:CommandButton>) .
    That I want to do :
    when I click on A, the value of B is replaced by D.
    when I click on B, the value of B is replaced by D and the value of C is replaced by A. etc...
    So the parameter action="..." for the each <h:name-Tag> call other tags i the same page.
    At the end, I want to create this tag and include it in the form of myTag.jar to be used in my project.
    Thank you

    In the setProperties method, you've got to resolve the valuebinding (#{blah.whatever}) to get the actual value. But you only want to do that if the attribute is set to a valuebinding.
    Here's an example:
          * @see javax.faces.webapp.UIComponentTag#setProperties(UIComponent)
         protected void setProperties(UIComponent component) {
              super.setProperties(component);
              //Set the field reference property
              if (fieldRef != null) {
                   if (UIComponentTag.isValueReference(fieldRef)) {
                        ValueBinding vb = getFacesContext().getApplication().
                             createValueBinding(fieldRef);
                        component.setValueBinding("fieldRef", vb);
                   } else {
                        component.getAttributes().put("fieldRef", fieldRef);
         }This example shows how to determine if the "fieldRef" attribute is a value binding, and extracts the value accordingly. But there's one more step. In your component class, or anywhere you access the attributes of your custom tag, use the following code:
         public String getFieldRef() {
              if (fieldRef != null)
                   return fieldRef;
              ValueBinding vb = getValueBinding("fieldRef");
              if (vb != null)
                   return (String)vb.getValue(getFacesContext());
              else
                   return null;
         }The above snippet is what you would put in your custom component getter method.
    JSF is open source. Something I found very helpful while learning how to create custom components was looking at how the JSF developers created theirs. You should go ahead and download the JSF source code.
    CowKing

  • Name tag "embed" not found

    I have a problem on
    http://www.enforcementsecurityservices.com
    When validating CSS, no errors are found.
    When validating HTML, 7 errors are found, all on line 58: no
    attribute for src, quality, pluginspage, type, width, height,
    embed.
    Also, when validating the page, this message shows: The name
    tag "embed" not found in current active versions. XHTML 1.0
    transitional.
    The problem is the slideshow that was created in Flash and
    inserted in Dreamweaver. I used Player 9, Action Script 3.0
    What do I need to do to correct this? Thank you!

    "HelpSandra" <[email protected]> wrote in
    message
    news:go6j65$nlr$[email protected]..
    >I have a problem on
    http://www.enforcementsecurityservices.com
    >
    > When validating CSS, no errors are found.
    >
    > When validating HTML, 7 errors are found, all on line
    58: no attribute for
    > src, quality, pluginspage, type, width, height, embed.
    >
    > Also, when validating the page, this message shows: The
    name tag "embed"
    > not
    > found in current active versions. XHTML 1.0
    transitional.
    >
    > The problem is the slideshow that was created in Flash
    and inserted in
    > Dreamweaver. I used Player 9, Action Script 3.0
    >
    > What do I need to do to correct this? Thank you!
    Check this link
    http://code.google.com/p/swfobject/
    You can also look for the "nested object method"
    Thierry | Adobe Community Expert | Articles and Tutorials ::
    http://www.TJKDesign.com/go/?0
    Spry Widgets |
    http://labs.adobe.com/technologies/spry/samples/
    [click on
    "Widgets"]
    Spry Menu Bar samples |
    http://labs.adobe.com/technologies/spry/samples/menubar/MenuBarSample.html

  • I have a new Officejet Pro 8600 and I'm trying to print name tags (Avery)

    I'm trying to print name tags (Avery), but the printer keeps telling me I have the wrong size paper in the tray.  I'm working from Word in Windows 7, selected the appropriate template and even changed the page size to 4.5x11, but it will not print.

    This document may help:
    http://h10025.www1.hp.com/ewfrf/wc/document?docname=c01824353&cc=us&dlc=en&lc=en&product=4323659&tmp...
    If it was me, I would also check Avery website, and maybe MS Office (Word) website for possible answers, if that document above did not solve it.
    007OHMSS
    I was a support engineer for HP.
    If the advice resolved the situation, please mark it as a solution. Thank you.

  • Web Clipping and a name tags

    Hi!
    I'm trying to use the webclipping portlet on some static html-pages, and it seems to work just greate, except one thing. The pages uses a lot of anchor-tag that refer to chaper down in the same html-file. You have kind of a chapter-listing in the top, with links like this:
    a href="#chapter10"
    And then further down the document there's
    a name="chapter10"
    When pressing the first link the page is refreshed, but the browser doesn't "scroll down" to the a name="chapter10" tag.
    Is there a way to solve this issue?

    I'm new to Oracle, so I'm not too sure either. But I doubt webclipping can "scroll" down a page since it's supposed to "clip out" and display the part of the page you selected right?
    Alternatives you can try might be to use the URL type in the Providers, or to select the "Inline" property if you must use webclipping. Not sure if they will work though.
    Cheers.

  • How to retrieve Sales rep name tagged to AR Invoice in a query.

    Hi,
    We need to display the sales person name which is tagged to the AR Invoice for our internal sales commission tracking.
    The problem here is if we use OSLP table to get this information the data retrived is the Sales rep name as seen in the BP data.
    In our scenario, even though a slaes rep is linked to a particular customer, sales person are given incentives based on the Products sold hence for certain brand the sales employee for that Invoice is allowed to change.
    When we create a query to list invoices and payments against the invoice we are not able to display the sales rep name that is tagged to the Invoice.
    Is there a way to display the sale persons name in a query using 'CASE' statement?
    or is there wany other way out.
    Please advise.
    Regards

    Hi Gordon,
    Thanks for your reply!
    The query is as: (Query for displaying the invoice and the payment received by cheque against the invoices )
    SELECT T1.CardCode, T1.CardName, T0.DocDate as 'Posting Date', T0.DocNum as 'AR Invoice Number',T0.DocTotal as 'AR Invoice
    Total', T0.DocTotalFC as 'AR Invoice Total FC', T1.DocDate as 'Payment Date', T2.DocNum as 'Incoming Payment Number ',
    T2.DueDate as 'Check Due Date' , T2.CheckNum as 'Check Number', T2.CheckSum as 'Amount, (select SlpCode, 'Sales Rep Name'=
    CASE
    when
    SlpCode = '8'THEN 'Amir Mehmood'
    SlpCode = '7'THEN 'Anwarul Chowdhary'
    SlpCode = '2'THEN 'Calvin Ching'
    SlpCode = '5'THEN 'Calvin Ong'
    SlpCode = '4'THEN 'Darren Ting'
    SlpCode = '6'THEN 'Dev Puri'
    SlpCode = '12'THEN 'Edison'
    SlpCode = '3'THEN 'Janet Teo'
    SlpCode = '13'THEN 'Kah Leong'
    SlpCode = '-1'THEN 'No Sales Employee'
    end)
    FROM OINV T0 INNER JOIN ORCT T1 ON T0.ReceiptNum = T1.DocEntry INNER JOIN RCT1 T2 ON T1.DocNum = T2.DocNum where T0.DocDate
    >=[%0] and T0.DocDate <=[%1]
    PS: the CASE statement above needs correction.
    Regards,

  • Map by name, Tags to Styles

    In JavaScript, I can map Styles to Tags using autoTag but how do I map Tags to Styles by name?
    Thank you,
    Richard

    #target indesign
    #include "/Applications/Adobe InDesign CS3/Scripts/Xml Rules/glue code.jsx"
    var myDocument = app.activeDocument;
    var myRuleSet = new Array (new ProcessAll);
    with(myDocument){                   
       var elements = xmlElements;
       __processRuleSet(elements.item(0), myRuleSet);
    myDocument.mapXMLTagsToStyles();
    function ProcessAll(){
       this.name = "ProcessAll";
       this.xpath = "//*"; 
       this.apply = function(myElement, myRuleProcessor){
          with(myElement){
             $.writeln(markupTag.name);
             var myParagraphStyle = myDocument.paragraphStyles.itemByName(markupTag.name);
             if (myParagraphStyle != null){
                myDocument.xmlImportMaps.add(markupTag.name, markupTag.name);
       return true;

  • Saving photos on CD using same name tag as IPhoto?

    I think I'm missing something basic here, but I have named all my photographs in my IPhoto library and wish to transfer at least half of them on to a CD (for safe storage). When I pull them to the desktop all the names revert to ID numbers, which means me having to rename them again before placing on CD.
    Can anyone help?
    Thanks

    Hi kayjh,
    I assume you are talking about albums you create in iPhoto for your projects. Since there are no album folders in the Finder anymore with iPhoto 5, it does make it a little harder to find all the photos in one place.
    To make it easy for you, you can set up an external editor in iPhoto's preferences. This way, when you double click on a photo it will open up in the external editor. From there, you edit the photo and save it as a flattened image with the same name and file type. the edit will be reflected in iPhoto on the "save"

  • I have organizer 8 to input name tags.  The whole process of inputting tags has stopped working.

    I have exhausted all remedies I know of, including restoring windows.  I have windows7, a 64 bit, I7 computer.  I have read some of the support comments as well as forum comments.  It is obvious that I had better not ever try reinstalling any Adobe program, but especially Elements because of the serial number problems.  So, now Adobe has made it virtually impossible for users.  Programs don't work, can't uninstall/reinstall without major problems and time by the buyer/user; Adobe makes it extraordinarily hard to think they are a good company.
    So what does the forum recommend to users for solving seemingly impossible problems without spending more money and a huge amount of time?

    You may have an ISP that automatically redirects you to a search page if a DNS look up fails.
    That takes the control from Firefox to do the normal keyword search like a Google I'm Lucky search.
    In such cases you need to contact your ISP and ask for a DNS server to opt-out of that feature.
    You can also check if there is a link on the search results page to go to your ISP and opt-out.
    Optimum Online: http://www.optimum.net/Article/DNS

  • Does anyone have a recommendation for a portable name tag printer compatible with the iPad 2?

    I need to purchase one that will be compatible.

    I use brother printers for my company. they work great
    http://www.brother-usa.com/downloads/iphone-ipod-label-printing.aspx

Maybe you are looking for