Markup for contributors

This topic is a little new to me from a publishing perspective so apologies in advance if I'm not using the correct terminology or even approaching this in the best way.
Our small publishing team usually self generates content, which is subsequently put into InDesign and laid out and styled by ourselves. We are however about to begin new scenarios where we are commissioning others to prepare the content that we then receive and process in InDesign. We use a Google Drive (Google Docs) a lot and it would help if all content continued to be generated there.
My question however, is in how we ask contributors to markup their documents in order to make it most efficient for us to layout and style. I'm familiar with various aspects of scripting and programming and so quite comfortable with HTML, XML etc. but this doesn't seem appropriate for preparation of documents which are destined for indesign.
There must be something 'standard' out there that is used to markup content (produced by humans) destined for publication in something like indesign (laid out and styled by humans). If I'm going on about humans a lot it's because most markup doesn't seem to be there to help people so much as machines (browsers and parsers of whatever kind).
I should add that we use a lot of musical symbols in our documents, and have used a pseudo markup of our own for some time to highlight this, but I can't help thinking there is something more appropriate out there. Clearly the right kind of markup used in combination with grep searches or grep in paragraph styles could be very powerful.
Perhaps all we need to do is choose the right export/import procedure and continue to use our in-house markup.
I'd be very interested to hear what anyone else deals with this sort of situation.

Thanks for the swift answer Bob. We're trying to keep things in our GDoc 'respository' and avoid Word  (or InCopy come to that) altogether if possible. In an ideal super-funded scenario where we could afford to give those who write for us all the licenses they need it might be different.

Similar Messages

  • How do I best perform ctx_doc.markup for a batch/set of documents?

    Hi,
    I'm are working on a system that stores chat messages in a table where the message body is stored in a CLOB column. I'm starting to implement a full text message search using Oracle Text and am looking to use the ctx_doc.markup feature to markup the search terms. The message table is pretty much like:
    CREATE TABLE message (
      id NUMBER(19,0),
      sender NUMBER(19,0),
      recipient NUMBER(19,0),
      received_at TIMESTAMP (6),
      data CLOB,
    and we have a context text index on the 'data' column and 'contains' queries against it work just fine. When I was looking to add the ability to markup the search terms, I was a bit surprised that there doesn't seem to be an easy way to markup a whole set of results.
    What I'm planning doing is basically:
    begin
      ctx_doc.markup(index_name => 'MESSAGE_DATA_TXT_IDX',
                          textkey => '2523992',
                          text_query => 'test"',
                          restab => 'message_search_result_markup',
                          query_id => '4',
                          tagset => 'TEXT_DEFAULT');
    end
    So in my case, a search could result in hundreds of messages being returned. Now in order to mark all of them up, I have to do a 'ctx_doc.markup' for each one, i.e. hundreds of times which seems horribly inefficient. Also keep in mind that all of this is done in a Java web service.
    So my first question is, why doesn't 'markup' allow a list of ids to be passed in for the 'textkey'? That would make things much simpler like:
      ctx_doc.markup(index_name => 'MESSAGE_DATA_TXT_IDX',
                          textkey => '2523992,2523993,2523994,2523995',
                          text_query => 'test"',
                          restab => 'message_search_result_markup',
                          query_id => '4',
                          tagset => 'TEXT_DEFAULT');
    which would then end up with 4 rows with query_id 4 in the message_search_result_markup table.
    I then figured well since I generate the SQL in Java, I can just add a whole bunch of these calls into the begin/end block like
    begin
         ctx_doc.markup(...);
         ctx_doc.markup(...);
         ctx_doc.markup(...);
         ctx_doc.markup(...);
    end
    basically one for each found message. However now I have the problem of tying a marked up result back to the actual message since the marked up result doesn't store the message primary key that's passed in as the 'textkey'. If the schema of the restab table would be something like
        create table message_search_result_markup (query_id  number, textkey varchar2, document  clob);
    Then I could have a unique query_id for each query and be able to easily retrieve all the markup results and return them along with other data from the matched messages like the sender, recipient, timestamp, etc.
    So now what I'm thinking is that for each 'textkey' I have, I have to create a unique query_id which isn't that straight forward since everything is multithreaded and multiprocess and different queries can return the same messages, so I couldn't just use the textkey as the query_id.
    Does anybody have any better suggestions/ideas?
    Keep in mind that I want to minimize the number of SQL queries I have to make from Java, ideally only having to make 1 query for the message search, 1 query to markup the found messages and 1 more query to get the marked up results.

    You could write a user-defined wrapper function for the ctx_doc.markup procedure, so that you could use it in a SQL query.  Please see the demonstration below.
    SCOTT@orcl12c> -- table, data, and index for testing:
    SCOTT@orcl12c> CREATE TABLE message
      2    (id         NUMBER(19,0),
      3      sender         NUMBER(19,0),
      4      recipient    NUMBER(19,0),
      5      received_at  TIMESTAMP (6),
      6      data         CLOB)
      7  /
    Table created.
    SCOTT@orcl12c> INSERT ALL
      2  INTO message (id, data) VALUES
      3    (1, 'I''m are working on a system that stores chat messages in a table where the message body is
      4       stored in a CLOB column. I''m starting to implement a full text message search using Oracle
      5       Text and am looking to use the ctx_doc.markup feature to markup the search terms.
      6       The message table is pretty much like:')
      7  INTO message (id, data) VALUES
      8    (2, 'and we have a context text index on the ''data'' column and ''contains'' queries against it
      9      work just fine. When I was looking to add the ability to markup the search terms, I was a bit
    10      surprised that there doesn''t seem to be an easy way to markup a whole set of results. ')
    11  SELECT * FROM DUAL
    12  /
    2 rows created.
    SCOTT@orcl12c> CREATE INDEX message_data_idx ON message (data) INDEXTYPE IS CTXSYS.CONTEXT
      2  /
    Index created.
    SCOTT@orcl12c> -- user-defined wrapper function for ctx_doc.markup procedure:
    SCOTT@orcl12c> CREATE OR REPLACE FUNCTION your_markup
      2    (p_index_name IN VARCHAR2,
      3      p_textkey    IN VARCHAR2,
      4      p_text_query IN VARCHAR2,
      5      p_plaintext  IN BOOLEAN  DEFAULT TRUE,
      6      p_starttag   IN VARCHAR2 DEFAULT '<<<',
      7      p_endtag     IN VARCHAR2 DEFAULT '>>>',
      8      p_key_type   IN VARCHAR2 DEFAULT 'ROWID')
      9    RETURN        CLOB
    10  AS
    11    v_clob        CLOB;
    12  BEGIN
    13    CTX_DOC.SET_KEY_TYPE (p_key_type);
    14    CTX_DOC.MARKUP
    15       (index_name => p_index_name,
    16        textkey    => p_textkey,
    17        text_query => p_text_query,
    18        restab     => v_clob,
    19        plaintext  => p_plaintext,
    20        starttag   => p_starttag,
    21        endtag     => p_endtag);
    22    RETURN v_clob;
    23  END your_markup;
    24  /
    Function created.
    SCOTT@orcl12c> SHOW ERRORS
    No errors.
    SCOTT@orcl12c> -- query:
    SCOTT@orcl12c> COLUMN kwic FORMAT A60 WORD_WRAPPED
    SCOTT@orcl12c> SELECT id,
      2          your_markup
      3            ('message_data_idx',
      4             ROWID,
      5             'column') kwic
      6  FROM   message
      7  WHERE  CONTAINS (data, 'column') > 0
      8  /
            ID KWIC
             1 I'm are working on a system that stores chat messages in a
               table where the message body is
               stored in a CLOB <<<column>>>. I'm starting to implement a
               full text message search using Oracle
               Text and am looking to use the ctx_doc.markup feature to
               markup the search terms.
               The message table is pretty much like:
             2 and we have a context text index on the 'data' <<<column>>>
               and 'contains' queries against it
               work just fine. When I was looking to add the ability to
               markup the search terms, I was a bit
               surprised that there doesn't seem to be an easy way to
               markup a whole set of results.
    2 rows selected.

  • HTML markup for JSF page

    I have a JSF page containing both standard JSF components and custom components. In the page am able to trigger AJAX requests,capture the requests in phaselistener. Now what I want is to generate output for a particular div inside the whole page. This div in turn contains a JSF page. The HTML markup corresponding to the page has to be sent to the browser.
    (i.e) I need a mechanism wherein I can specify the name of JSF page,get the HTML markup for the same and send it across to the browser as response. Please guide me as how to go about it.

    Its been a week since I posted this query.Still no replies. Let me make myself clear.
    Suppose am having
    <h:panelGroup id="outerDiv">
                     <h:panelGroup id="innerDiv1">
                                    <jsp:include > //Includes firstpage-JSF page
                      </h:panelGroup>
                      <h:panelGroup id="innerDiv2">
                                    <jsp:include > //Includes second page-JSF page
                       </h:panelGroup>
    </h:panelGroup>I want to send an AJAX request,fetch corresponding HTML markup for the JSF page I have included and use it in javascript to write to the <div>. So is there any mechanism wherein I can give the name of the JSF page, get the corresponding HTML markup? If not, is there any workaround? I dont want to use any third-party components.

  • Possible for contributors to change CSS?

    Hi,
    Is it a big no-no in Site Studio to use CSS background images as contributable content? Is there no way for contributors to be able to change the value of background-image in the CSS? Trying to use <DL> tags for some content summaries and have a thumbnail image as a <DT> and use CSS to set the image as the bacground for the DT. Are you limited to using inline images (<IMG>) for contributable images?
    Thanks,
    Bob

    Using the ActiveX contributor editor, you can't define an inline stylesheet using the <style> tag. I can't remember if you can link to an external stylesheet.
    You can however define inline styles directly on the tag. There is no interface for doing so but if you switch to code view, you can type in valid code like this:
    <DT style="background:url(/content/groups/public/etc/pants.gif) repeat-x;"></DT>
    Chances are your contributors aren't tech savy enough to do it, but it can be done.

  • No points showing for contributors

    there are no forum points showing for contributors? What happened and how can we show them again?

    Hi Dave,
    Looks like a disconnect in the DB ( seen it happen a few times)
    I did send out an email to SAP SDN <[email protected]> this morining & they are working on it.
    This is the reference # I got ... KMM2857971I24953L0KM

  • "Bad" markup for non-English language in JSF

    Hi,
    the question emerged in "Problem ADF af:document i18n" thread, but, as I saw, it is more common, so I made this new thread. The question seems very simple, but by the moment I can't find an answer and it makes me doubt about the ability to use JSF...
    The sequence of my actions.
    1. My OS locale is russian (ru) (codepage windows-1251).
    2. Create a new application in JDev.
    3. Create an empty project in JDev.
    4. Create a new jsf page. JDev suggests windows-1251 encoding, creates faces-config.xml and so on.
    5. Place outputText JSF HTML component on the page. JDev creates the following markup: <h:outputText value="outputText1"/>.
    6. Change value="outputText1" to "text_in_russian".
    7. Run the page!
    The result looks OK, text is displayed correctly, but, if you look at the source code, though codepage is windows-1251, all russian symbols are encoded like & # 1058;& # 1077;& # 1082;& # 1089;& # 1090; (i put spaces, as otherwise you'd see russian letters: &#1058;&#1077;&#1082;&#1089;&#1090;). As far as I understand, this means overrun of traffic and besides I don't like the idea that my pages are so "untidy" behind.
    I specified default locale in faces-config.xml file, changed encoding and so on, but result was the same: everything looks fine, but entities instead of letters in html code.
    By the way, if I specify russian text, where it is not rendered, it is seen normally. But, if it is a rendered text, no matter, how - by outputText, inputText component or, for example, af:document or af:panelPage - entities instead of letters in the source code.
    Do you have any ideas?
    Thanks in advance, Valeriy

    Hello, <br>
    resulting page is windows-1251 encoded - that's OK.
    If I write page using, say, just HTML (in Notepad) or JSP, every symbol would take exactly 1 byte - in windows-1251 encoding, all Russian letters, are, of course, encoded with 1 byte. I would use entities or escape-sequences only for special characters, like copyright. And this is the behaviour I expect from JSF - since I use windows-1251 encoding for my pages, it must use 1 byte for russian letters. Why use entities or escape-sequences if letters are normally preseted with 1 byte?<br>
    For example, similarly, english letters are too can be written using & # xxxx, but, I think, everybody would be very surprised to look at the source code, resulting from JSF, and see that all english letters are written using & # xxxx. - again, why use entities and escape-sequences, if it is posible to make resulting HTML markup more understandable and consuming less space?<br>
    JSTL tags, for example, c:out, use "right" markup - exactly 1 byte for russian letters. Can I get such behaviour with JSF?<br>
    Imagine situation I described with english letters: you place, say, <h:outputText value="outputText1"/> in your code and expect to receive something like <span>outputText1</span>, but receive <span>& # xxxx; & # xxxx; & # xxxx;1</span>, while it is possible to use 1 byte for letter! Besides a "bad" look, this page will weight, say, 200K instead of 50K!<br>
    And the question is russian language must not be special for windows-1251 encoding!<br>
    I found such question at several forums, no decision found yet... And besides there can be JavaScript problems...<br>
    Waiting for your response
    Valeriy

  • Html markup for "NAME" field in APEX 4.02.00.07 tree structure

    Hi,
    I've seen countless examples of modifying the appearance of the NAME field of an APEX 4 tree, but I can't get it to work. If I create the tree as below, all I get is :
    <b>the Name</b> on each node of the tree. I can't seem to make the NAME field bold. Can you tell me what I'm doing wrong?
    Thanks.
    Susan
    Here's the code:
    select case when connect_by_isleaf = 1 then 0
    when level = 1 then 1
    else -1
    end as status,
    level,
    '<b>' || "NAME" || '</b>' as name,
    null as icon,
    "ID" as value,
    null as tooltip,
    null as link
    from "#OWNER#"."TEMP"
    start with "PID" is null
    connect by prior "ID" = "PID"
    Edited by: axiom7 on Aug 2, 2011 10:00 AM
    Just posted, and I see that my attempt to show the html markup, simply marked up the text. What I mean is that the html markup does not embolden the NAME field. I just see the bracketed html markup tags on either side of the NAME field. I hope I am being clear enough.

    Axiom,
    Unfortunately, the version of jsTree currently bundled in APEX does not include support for HTML titles. You can hack it in by using an on page load dynamic action to convert the plain-text titles to HTML (though that can get really ugly very quickly). Or you can use a PL/SQL region to create a tree using the latest jsTree build. (Demo page here.)
    -David

  • Did the markup for java applets change with version 4.0.5

    Starting with Safari version 4.0.5 java applets are not rendering correctly. The Java coffee cup loading image pushes the actual content down. Was the applet tag markup changed with this release?
    Take a look at the following example:
    http://tinyurl.com/p27vpq
    or
    http://preview.tinyurl.com/p27vpq
    FYI, 4.0.4 displays correctly.

    Ok...
    First, try a different user account with Safari and see if the same thing happens. If it does then it's a system wide issue, not just your user account.
    From the Safari Menu Bar, click Safari / Empty Cache. When you are done with that...
    From the Safari Menu Bar, click Safari / Reset Safari. Select the top 5 buttons and click Reset.
    Go here for trouble shooting 3rd party plugins or input managers which might be causing the problem. Safari: Add-ons may cause Safari to unexpectedly quit or have performance issues
    Web pages now include a small icon or 'favicon' which is visible in the address bar and next to bookmarks. These icons take up disk space and slow Safari down. It is possible to erase the icons from your computer and start fresh. *To delete Safari's icon cache using the Finder, open your user folder, navigate to ~/Library/Safari/ and move this file "webpageIcons.db to the Trash.*
    Relaunch Safari.
    If you still have problems, go to the Safari Menu Bar, click Safari/Preferences. Make note of all the preferences under each tab. Quit Safari. Now go to ~/Library/Preferences and move this file com.apple.safari.plist to the Desktop. Relaunch Safari. If it's a successful launch, then that .plist file needs to be moved to the Trash.

  • I can't use Markup for Mail in Yosemite and I can't see the extension of it.

    I tried to use the Markup feature and I can't, also I tried to enable the extension of it but it doesn't appear.

    Thanks- I know that it's for attachments.  Doesn't work on my machine.  Not interested in re-installing.  If anyone else has a fix, I'd be interested, otherwise, I guess I'll just wait for an update.

  • How do you implement basic text markup for content? H1, H2, ul, ol etc?

    Title says it all really - am I missing something?

    Thanks for that, I think I've misunderstood who the software is for?
    I'll post to the features area but if nobody was thinking about content markup during development and testing of the software, I'm not sure anyone is going to appreciate it!
    Even print designers (I have 20+ years in print and 8+ years coding) understand the importance of styles in InDesign so I'm not sure what's gained by hiding such a fundamental aspect to the internet. We're finding that our role is more about content design and less about "Website Design" per se.
    e.g. if you hid all the content on the Apple site, all you'd left with would be a bunch of lines, and light gradients - and that's true for most sites. Content truly is king.

  • (Inside) is this the only way of specify html markup for attributes in uiXML?

    Hi, I could not work out a way other than creating a DataObject to specify html markup in certain attributes, for example the tip attribute.
    Is there any other way?
    <provider>
    <data name="capts:formatted_text">
    <method class="oracle.capts.CaptsProvider" method="getDataObject"/>
    </data>
    </provider>
    <inlineMessage prompt="Search" vAlign="middle" data:tip="tip1@capts:formatted_text">
    package oracle.capts;
    import oracle.cabo.ui.data.DataObject;
    import oracle.cabo.ui.RenderingContext;
    import oracle.capts.CookieDataObject;
    import oracle.capts.SessionAttributeDataObject;
    public class CaptsProvider
    private static final String CAPTSNAMESPACE = "http://xmlns.oracle.com/capts";
    private static final String COOKIEDATAOBJECT_NAME = "cookie";
    private static final String SESSIONATTRIBUTEDATAOBJECT_NAME = "session_attribute";
    private static final String FORMATTEDTEXTDATAOBJECT_NAME = "formatted_text";
    public static DataObject getDataObject(RenderingContext context, String namespace, String name)
    * context - the current rendering context
    * namespace - the namespace of the requested DataObject
    * name - the name of the requested DataObject
    if (_CAPTS_NAMESPACE.equals(namespace))
    if (name.equals(_COOKIE_DATAOBJECT_NAME))
    return new CookieDataObject();
    else if (name.equals(_SESSIONATTRIBUTE_DATAOBJECT_NAME))
    return new SessionAttributeDataObject();
    else if (name.equals(_FORMATTEDTEXT_DATAOBJECT_NAME))
    return new FormattedTextDataObject();
    return null;
    package oracle.capts;
    import oracle.cabo.ui.data.DataObject;
    import oracle.cabo.ui.RenderingContext;
    import oracle.cabo.servlet.BajaContext;
    import oracle.cabo.servlet.ui.BajaRenderingContext;
    public class FormattedTextDataObject implements DataObject
    public Object selectValue(RenderingContext context, Object select)
    BajaContext bajaContext = BajaRenderingContext.getBajaContext(context);
    String result = "";
    if ( ((String)select).equals("tip1") )
    result="<html>Use the <tt><b>%</b></tt> operator as a wildcard. e.g. Enter <tt><b>%</b><tt> to return all rows, or <tt><b>%ab%</b><tt> to return rows that for the chosen search attribute contain the string <b>ab</b>.</html>";
    return result;

    I think there's three things going on here. First, you do not need to put these HTML
    strings in DataObjects. You're probably forgetting to escape the strings - uiXML is XML,
    and you've got to follow the rules of XML. For example, the following is illegal XML,
    not because of anything in UIX, but because it's invalid XML:
      <messageTextInput tip="<html><b>foo</b></html>"  ../>... and must be written as:
      <messageTextInput tip="&lt;html>&lt;b>foo&lt;/b>&lt;/html>"  ../>From Java, you only have to follow the Java escaping rules (like \" and \\),
    which is why your code only seems to work when you're grabbing the string from
    a DataObject.
    OK - second thing. There is a new <formattedText> element, and if you want to insert
    HTML markup, you can replace a <styledText> with a <formattedText> and it'll do the job.
    And - third thing. The "tip" and "message" attributes in UIX contain automatic
    support for HTML markup. But you have to let us know when you're using HTML markup,
    and the way you do that is by surrounding the string in <html>...</html> - or,
    once escaped for XML, &lt;html>...&lt;/html>

  • Looking for Contributors to Ruby DocumentDB SDK

    Given there is no current Ruby SDK I've started working on one and wanted to enlist help (and give Microsoft full permission to take it and use it if so desired).
    The project is on github here:
    Azure DocumentDB SDK on GitHub
    I'm only asking that people maintain near 100% unit test coverage and that they use TDD.
    My personal goal is to keep the code as simple and as clean as possible (see how I've tried to make the Master Key authentication readable and thoroughly tested).
    Thanks all!

    Thank you for hosting this project, @craftsmanadam! 

  • How on earth do I undo a highlight - or any other markup, for that matter? Very frustrating!

    Te headline says it all - it MUST be simple, but it isn't obvious!

    After you add one you should be able to just tap it and a menu will popup and you can select Clear or Delete, depending on the type.

  • Contributor mode for external users (SSXA)

    Hi All
    On our environment we have UCM 11g and SSXA (with deployed application) and
    ActiveDIrectory provider configured on WLS.
    I created WCMContributor group in AD and WCMContributor role in UCM
    The goal is that external users in WCMContributor group in AD has contributors rights in SSXA (lets be user “test1”)
    Weblogic.xml in application has below block:
    <security-role-assignment>
    <role-name>WCMContributor</role-name>
    <principal-name>WCMContributor</principal-name>
    </security-role-assignment>
    But I get error for user test1:
    ERROR: Error creating the contribution markup for placeholder 'ContentPlaceholder'
    REASON: User 'test1' does not have sufficient privileges.
    If I create local user ‘test2’ in UCM, add him to WCMContributor role and add him to weblogic.xml - it works:
    <security-role-assignment>
    <role-name>WCMContributor</role-name>
    <principal-name>WCMContributor</principal-name>
    <principal-name>test2</principal-name>
    </security-role-assignment>
    But I need to work with external users
    Web.xml in application has below block:
    <security-constraint>
    <web-resource-collection>
    <web-resource-name>ContributionMode</web-resource-name>
    <url-pattern>/wcm-contrib/*</url-pattern>
    </web-resource-collection>
    <auth-constraint>
    <role-name>WCMContributor</role-name>
    </auth-constraint>
    </security-constraint>
    <security-constraint>
    <web-resource-collection>
    <web-resource-name>DesignerMode</web-resource-name>
    <url-pattern>/wcm-design/*</url-pattern>
    </web-resource-collection>
    <auth-constraint>
    <role-name>WCMContributor</role-name>
    </auth-constraint>
    </security-constraint>
    <login-config>
    <auth-method>FORM</auth-method>
    <realm-name>OpenWCM</realm-name>
    <form-login-config>
    <form-login-page>/wcm/support/login/wcm-login.jsp</form-login-page>
    <form-error-page>/wcm/support/login/wcm-login.jsp?tryagain=true</form-error-page>
    </form-login-config>
    </login-config>
    <security-role>
    <role-name>WCMContributor</role-name>
    </security-role>
    Please advise
    Thanks

    Could you please provide a bit more details:
    If I create local user ‘test2’ in UCM, add him to WCMContributor role and add him to weblogic.xml - it works:a) Do you really use local users; that is, those created only in User Admin applet? b) Or is it rather that you create users in the security realm of the Weblogic server? I'd actually expect that a) without b) won't work - except for few admin tasks (running applets as standalone applications), local users should not be used in 11g or higher. If you do just b), it's an external user, just coming from a different source.
    My guess is that rather than external vs. local, the issue is that mapping of roles from AD is somehow mis-configured (that is, your users don't actually get the role assigned). Pls. check everything once again - a guidance how to map roles is described here: http://docs.oracle.com/cd/E21764_01/doc.1111/e10792/c03_security.htm#BGBCIGEH

  • Right way to add graphic sidebars around the container or any div for that matter?

    *** Note sidebars maybe the wrong term and confuse you here
    If i want graphical sidebars around both sides of the main
    container div..... so that if i had a margin of say 20px on each
    side and the sidebars are maybe 8px in width, well i can create a
    small maybe 8px x 5 px image and repeat it the height of the
    conatiner div.
    Is there a done way to inset the graphic into the div and
    then have it scale to the height of the div.. Here is a pic example
    of what i am trying to do,
    http://i44.tinypic.com/1zdbr78.jpg
    Or look at this site, see the gradient faded red sidebar
    graphics around the whole contaner, they do a similar thing inside
    the conent div boxs as well.
    http://www.mayfindesign.com/

    Do you mean a border? When I need to do this, I use three
    graphics:
    1. A top capping graphic
    2. A vertically tiling center graphic
    3. A bottom capping graphic
    In ASCII art the three would look like this -
    |=================|
    | |
    |=================|
    where "|" is the vertical part of the border, and "=" is the
    horizontal part
    of the border. Since the middle graphic tiles vertically, it
    expands to
    fill the height of the container perfectly. The markup for
    this would look
    like -
    /* CSS */
    #topCap, #bottomCap, #middleContainer {
    width:300px;
    margin:0 auto;
    #middleContainer {
    background-image:url(/images/middleBackground.jpg);
    background-repeat:repeat-y;
    HTML
    <body>
    <div id="topCap><img src="/images/topCap.jpg"
    width="300" height="20"></div>
    <div id="middleContainer">....</div>
    <div id="bottomCap"><img src="/images/bottomCap.jpg"
    width="300"
    height="20"></div>
    </body>
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    ==================
    "rams30" <[email protected]> wrote in
    message
    news:gjidto$ku$[email protected]..
    > *** Note sidebars maybe the wrong term and confuse you
    here ****
    >
    > If i want graphical sidebars around both sides of the
    main container
    > div.....
    > so that if i had a margin of say 20px on each side and
    the sidebars are
    > maybe
    > 8px in width, well i can create a small maybe 8px x 5 px
    image and repeat
    > it
    > the height of the conatiner div.
    >
    > Is there a done way to inset the graphic into the div
    and then have it
    > scale
    > to the height of the div.. Here is a pic example of what
    i am trying to
    > do,
    >
    >
    http://i44.tinypic.com/1zdbr78.jpg
    >
    > Or look at this site, see the gradient faded red sidebar
    graphics around
    > the
    > whole contaner, they do a similar thing inside the
    conent div boxs as
    > well.
    >
    >
    http://www.mayfindesign.com/
    >
    >

Maybe you are looking for

  • BAPI_SALESORDER_CREATEFROMDAT2 / ORDER_ITEMS_IN-REFOBJTYPE

    Hi, I have a Problem. I would like create a salesorder with References to a other salesorder. Unfortunately, I have no idea what I need reference property.       Following objects I have tried: "BUS2032" "/AFS/ORDER". I hope you can help me. thx

  • How can I invite optional attendees to meetings from my iPad?

    I launch meeting requests regularly, but some guests are optional. How do I differentiate them on the invite list when creating the event on my iPad?

  • JCO exceptions in business connector

    hi.. i am getting the below JCO$ABAp exceptions in BC server. can anyone pls clarify the root cause of these errors and possible solutions as to how they can be eliminated: com.sap.mw.jco.JCO$AbapException: (126) INVALID_STATUS: INVALID_STATUS      a

  • LSO Training catalogue

    Hi Experts, User is not able to view the training catalogue in the portal front. but it is displaying in backend system properly. Eventhough he  assigned all the required roles. All the functional settings are in place. Kindly provide some solution.

  • Moving mail to a new server

    In my case, it is somewhat simple because I have only one account. But, in general, how do you move mail from one server to another? I have tons of messages still in the imap server that somehow need to get other to the new server. The other sticking