Appending  a list in a textarea problem

Hi im new too java as you will probably guess from my problem but anyway. Im writing an application that needs to output a dynamic list to textarea that is affected by buttons that increase and decrease the number of items next to the item in question. if the item has 0 selected it should not be displayed.
iv tried setCaretPosition, replacerange and append but cant get it to work. I think the ieal solution would be if i could set the caret with an x,y coordinate but i dont even know if this is possible, any help would be greatly appreciated and im sorry if the explanation waffle on but im really annoyed with it

I can not figure out what you want.
Are you trying to change the caret postion or the contents of the text area? what do you mean by items next to the item in question? And what does the x,y position have to do with the text you want to add/delete?

Similar Messages

  • List creation - invisible output problem

    the method in question is appendItem(Object obj) in the ObjList class.
    The ObjList class:
    import java.util.NoSuchElementException;
    public class ObjList {
         protected Node              list;   // Link to start of list;
         /** Creates a new (empty) ObjList. */
         public ObjList() {
              this.list = null;
         /** Returns the length of this ObjList. */
         public int length() {
              Node ndcur = this.list;     // Currently scanned node.
              int i = 0;                    // Index of current node nd.
              while (ndcur != null) {
                   // Count one more item, and move on to the next one.
                   ++ i;  ndcur = ndcur.tail();
              // i is index of the null item at the end of the scan,
              // which is also the number of non-null node links scanned.
              return i;
         /** Inserts the given object at the front of this list. */
         public void prependItem(Object obj) {
                Node n = new Node(obj, list);
                list = n;
         /** Inserts the given object at the end of this list. */
         public void appendItem(Object obj) {
                Node t = new Node(obj, null);
                list.setTail(t);
         /** Returns the item at position i in this list. */
         public Object getItemAt(int i) throws NoSuchElementException {
                    Object obj = null;
              return obj;
         /** Inserts the given object into this list at position i
          * (so that the item previously at position i, and any
          * items at later positions, are all moved up by one position).
         public void insertItemAt(Object obj, int i)
         throws NoSuchElementException {
              if (i == 0)
                   // "insert at 0" is just "prepend".
                   this.prependItem(obj);
              else {
                   // ASSERT: 1 <= i;
                   // TBD
         /** Deletes the item at position i from this list. */
         public void deleteItemAt(int i) {
              if (this.list == null)
                   throw new NoSuchElementException(
                        "deleteItemAt("+i+"): list is empty!");
              // ASSERT: list is non-empty.
              // TBD
         /** Returns a string representation for this list. **/
         public String toString() {
              // Represent the list as one item per line,
              // plus header/footer...
              final String EOL = System.getProperty("line.separator");
              // Use a string buffer to build the result.
              StringBuffer str =
                   new StringBuffer("----ObjList:start----"+EOL);
              // Scan the nodes, generating one line for each.
              for (Node nd=this.list; nd!=null; nd=nd.tail())
                   str.append(nd.head()).append(EOL);
              str.append("----ObjList:end----"+EOL);
              return str.toString();
         /*########  Node class definition.   ########*/
         /** The list Node class definition is essentially as in
          * the lecture notes.
         protected static class Node {
              private Object      h;          // head
              private Node        t;          // tail link
              public Node(Object hd, Node tl) {
                   this.h = hd;  this.t = tl;
              public Object   head() { return this.h; }
              public Node     tail() { return this.t; }
              public void     setTail(Node tl) { this.t = tl; }
    }The Main class:
    public class IntList extends ObjList implements IntListSpec {
        /** main() -- basic IntList checking method. */
        public static void main(String[] args) {
        IntList intlist = new IntList();
        intlist.prependItem(1);
        intlist.prependItem(2);
        intlist.prependItem(3);
        intlist.appendItem(1);
        intlist.appendItem(2);
        intlist.appendItem(3);
        System.out.println(intlist.toString());
    //        // e.g. ...
    //          // Create a list of size 1 million -- if this takes a long time
    //          // then the constructor that takes an array parameter is
    //          // not as efficient as it could be.
    //        int[] million = new int[1000 * 1000];
    //        System.out.println("List of a million --- start creation.");
    //        IntListSpec ilm = new IntList(million);
    //        System.out.println("List of a million --- created.");
    //        System.out.println();
              // Release the large data items.
    //        million = null;
    //        ilm = null;
              // etc., etc.
    /*########  IntList Constructor and Instance Methods.  ########*/
        /** Creates a new (empty) IntList. */
        public IntList() {
            super();
        /** Creates a new IntList containing the given values, in order. */
        public IntList(int[] values) {
            this();
              // TBD
              // (add successive values from the array into the list, but
              // do it efficiently!)
         /** Inserts value n at the front of this list. */
        public void prependItem(int n) {
       // Delegate this one to our superclass.
            super.prependItem(new Integer(n));
         /** Appends value n at the end of this list. */
        public void appendItem(int n) {
            // Delegate this one to our superclass.
      //      super.appendItem(new Integer(n));
         /** Finds and returns the value at position i in this list. */
        public int getIntAt(int i) {
    //        // Delegate this one to our superclass.
          return i;//((Integer)(super.getItemAt(i))).intValue();
         /** Inserts value n at position i in this list. */
        public void insertIntAt(int n, int i) {
            // Delegate this one to our superclass.
      //      super.insertItemAt(new Integer(n), i);
         /** Deletes the value at position i in this list. */
        public void deleteIntAt(int i) {
            // Delegate this one to our superclass.
      //      super.deleteItemAt(i);
         /** Returns a one-line display string for this list. */
        public String toString() {
            // Represent this list as a single-line string
              // (which may be inconvenient when the list is big!).
            StringBuffer str = new StringBuffer("<");
            if (this.list != null) {
                str.append(this.list.head());
                   Node cur = this.list.tail();
                while (cur != null) {
                    str.append(" " + cur.head());
                        cur = cur.tail();
            str.append(">");
              return str.toString();
    }The interface class:
    import java.util.NoSuchElementException;
    * NB  In the method definitions below; the index i is assumed
    * to be non-negative; if it is too big for the given operation
    * then a NoSuchElementException should be thrown.
    public interface IntListSpec {
        // List operations, as in the "Linked Data Structures"
        // lecture.
         /** Inserts value n at the front of this list. */
        void prependItem(int n);
         /** Appends value n at the end of this list. */
        void appendItem(int n);
         /** Finds and returns the value at position i in this list. */
        int getIntAt(int i) throws NoSuchElementException;
         /** Inserts value n at position i in this list. */
        void insertIntAt(int n, int i) throws NoSuchElementException;
         /** Deletes the value at position i in this list. */
        void deleteIntAt(int i) throws NoSuchElementException;
         /** Returns a one-line display string for this list. */
        String toString();
    }My problem, as implied by the subject, is that when outputting the contents of this list after the 6 operations, only prependItem is being shown. Bear in mind that we were given all the code (degree course at uni) other than the prepend method, the append method, and all other places marked 'TBD'.
    Any help would be appreciated. I think what is happening is that 'list' doesn't know it has these extra items on the end, although I thought list.setTail(t) should have sorted that.
    Anyhow, many thanks in advance.

    You're not linking the previous tail with this new item you're trying to append.
    This is not a Java related question. It is an algorithm question. You don't have your algorithm correct, and we're not here to do your homework for you.

  • HT201317 My photostream in windows 7 PC does not shows any pic. when i click on slide show it start showing me slide shows of pic but when i try to copy files i cant do as no photo is viewd in list mode. This problem has arised since IOS is updated.

    My photostream in windows 7 PC does not shows any pic. when i click on slide show it start showing me slide shows of pic but when i try to copy files i cant do as no photo is viewd in list mode. This problem has arised since IOS is updated.I reinstalled my icloud and checked if icloud sharing is ON. I can see pic in my photo stream in PC only in slide show mode. While in list mode it shows pics before i actually click on photostream folder. My phone memory is out becose of bunch of photoes. How do i copy my photostream photoes.

    Hi all.  I can’t tell you how to solve your iCloud 3.x issues.  Heck, I don’t think they’re even solvable.
    But if you had a previous version of iCloud that was working correctly then I can definitely tell you how to solve the “iCloud Photo Stream is not syncing correctly to my Windows 7 PC” problem.  …without even a re-boot.
    Log out of iCloud 3.0 and uninstall it.
    Open My Computer and then open your C:\ drive.  Go to Tools/Folder Options and click on the View tab.  Select the “Show hidden…” radio button and click on OK.
    Open the Users folder.
    Open your user folder
    Open ProgramData (previously hidden folder)
    Open the Apple folder – not the Apple Computer folder.
    Open the Installer Cache folder
    In Details view sort on Name
    Open the folder for the newest entry for iCloud Control Panel 2.x – probably 2.1.2.8 dated 4/25/2013
    Right click on iCloud64.msi and select Install.
    When finished, the synching between iCloud and your PC will be back to working perfectly as before the 3.0 fiasco.  The pictures will be synched to the same Photostream folder as before the “upgrade”.  Now all you need to do is wait until Apple/Microsoft get this thing fixed and working before you try the 3.x upgrade again.
    I think the iCloud 3.0 software was written by the same folks who wrote healthcare.gov with the main difference being that healthcare.gov might eventually be made to work.
    For those of you who hate to go backwards, think of it as attacking to the rear.  Which would you rather have, the frustration of no synching or everything working on an older version?
    Good luck…

  • An Applescript error appending to list objects - I believe this is a bug?

    Try this on your machine....
    Step 1: Paste this script into your Script Editor and Save it to any file name you want to give it.
    Step 2: Run the script and hit Command-S to save the script.
    set xLimit to 8144
    set aList to {}
    repeat with I from 1 to xLimit
    set end of aList to I
    end repeat
    This should work just fine.
    Step 3: Now change the value of 8144 to 8145 and run the script
    -- no problem either ... UNTIL you TRY TO SAVE THE FILE.
    Control-S, File/Save and File/Save as ...don't work.
    Script Editor says "The document xxxx.scpt could not be saved"
    I also tried this on a different computer with the same result.
    Both machines are up on the latest version of Leopard and I am running
    on my Imac which is configured as follows:
    Model Name: iMac
    Model Identifier: iMac8,1
    Processor Name: Intel Core 2 Duo
    Processor Speed: 3.06 GHz
    Number Of Processors: 1
    Total Number Of Cores: 2
    L2 Cache: 6 MB
    Memory: 4 GB
    Bus Speed: 1.07 GHz
    Boot ROM Version: IM81.00C1.B00
    SMC Version: 1.30f1
    Now I also tried this with Script Debugger 4.5.2 (Latest release)
    Here the error on saving is more precise:
    " Cannot Save Document
    Signaled when the runtime stack overflows
    (errOSAStackOverflow:-2706)"
    The error is in CocoaSpeak but a Stack Overflow is potentially dangerous to
    execution stability. I dont feel comfortable with just trying to ignore this.
    Page 233 (appendix B) of the Applescript language guide is not more descriptive
    than the above.
    Anybody else know about this? Am I doing something wrong in trying
    to append to an existing list? I've tried other variations before posting
    this note. Some of them are:
    1) Initializing aList with 1 or 2 elements first -- same result but xLimit
    has to be set to 8146 (for 1 element) or 8147 for (2 elements) to fail.
    2) Using a reference to aList such as
    set refaList to a reference to aList
    No luck here either --- Same result.
    3) Putting ()'s around aList or using my I or my alist constructs
    all yield the same result.
    4) Just for completeness I tried the following dreadfully slow technique
    inside of the loop.... ah yes, you can go above 8150 but somewhere on or
    before 8190 it results the same as all the other ways.
    set aList to aList & {I}
    Even the sledgehammer failed.
    You will not notice this error if you make a change to the script and then save it.
    It will only be obvious if you run the script and try saving immediately
    afterward -- without making any changes.
    Ken Higgins

    Hi Red...
    Good call.
    I tried this script. When I commented out "bb" it showed the error as
    as I indicated. However, when I UNCOMMENTED the bb line, as suggested, it worked.
    I also tried this inline (outside of a handler) and replicated the same result.
    So the idea is -- we have to make sure that we close out these
    lists prior to terminating the script. That's not great but its a valid workaround.
    thanks so much.
    Ken Higgins
    set bb to myHandler()
    set bb to {} <------
    on myHandler()
    local aList
    set xLimit to 9000
    set aList to {}
    repeat with I from 1 to xLimit
    set end of aList to I
    end repeat
    return aList
    end myHandler

  • What would be the best way to use a list in a textarea to compare to values in a column in a database table?

    I'm trying to move a table from a MS Access database to a datasource online so I don't have to be the only one that can perform a specific task.
    Right now I regularly am having to assess change requests to determine if it impacts the servers my team supports.  Currently I copy and paste the text list into a temporary table in MS Access then hit a button to run a query comparing what was in that list to my server inventory.  Works fine but now I need to move this online so others can do this in a place where we can also keep everyone using the exact same inventory and am planning on using a ColdFusion server.
    So what I believe would be easiest is to create a form that has a textarea where I can just copy and paste what is in the change request and then hit a submit button and go to the next page where it would list all the servers that matched (with all the other info I also need).
    Almost always the info would hit the textarea with a separate row for each server with no other delimiters, etc.
    Example info in textarea:
    servername1
    servername2
    servername3
    What is the best/easiest way in the SQL code on the following page to take the values from the textarea the way they are listed and return results of any that match the server name column from that list?  What CF functions and SQL coding are needed?
    I've done something in the past where I did WHERE Server IN (#PreserveSingleQuotes(Form.ServerList)#)...
    But I had to input 'servername1', 'servername2', 'servername3' in the text box and with how often we'll be copying lists as show above from a text area or from an excel column I'd really like a way to get from the example above to the results I need without having to manipulate.  Sometimes the list I'm comparing against may be 300+ servers and adding that formatting is not desirable.
    Any help would be appreciated.

    So here is a solution I came up with
    <cfoutput>
    <cfset Servers="#StripCR(Form.ServerList)#">
    <cfset Servers2="'#Replace(Servers, "
    ", " ", "All")#'">
    <cfset Servers3="#ToString(Servers2)#">
    <cfset Servers4="#Replace(Servers3, " ", "', '", "All")#">
    </cfoutput>
    Then in the cfquery SQL I used
    WHERE Server IN (#PreserveSingleQuotes(Servers4)#)
    Right now this is working but it seems very cumbersome.  If anyone can come up with a way to simplify this please let me know.

  • IPhone 4 Unable to Load Network List & No SIM Connectivity Problems

    Hi,
    I have an iPhone 4. It has been working fine. Only recently, the phone goes off network giving an error message saying that the phone has lost the network. When trying to update the carrier list, the message "Unable to Load Network List" pops up. A while later, the phone sometimes gives a message: No SIM.
    I tried restoring the phone's original settings and the problem is still there.
    Any recommendations?
    Thanks

    I would try reseating the SIM and if that does not work, replace the SIM.

  • Uploading a List of Alternate Words problem

    Hi,
    I am trying to upload the list of alternative words.
    [oracle@dev1 bin]$ ./searchadminctl -p oraidev1 altWord -upload configFile /home/oracle/oracle/product/10.1.8/oradata/alt_word.xml
    In the XML Content:
    <?xml version="1.0" encoding="UTF-8" ?>
    <config productVersion="10.1.8.2">
    <altWords>
    <altWord name="oes">
    <alternate>Oracle Secure Enterprise Search</alternate>
    <autoExpansion>true</autoExpansion>
    </altWord>
    <altWord name="eip">
    <alternate>PSA EIP Portal</alternate>
    <autoExpansion>true</autoExpansion>
    </altWord>
    <altWord name="pas">
    <alternate>Port Development Authority</alternate>
    <autoExpansion>true</autoExpansion>
    </altWord>
    </config>
    but, it's displays,
    Please specify additional input parameter for altWord upload.
    How will do this one?
    Thanks!
    Regards,
    Deva
    HI,
    I am try again. Now display the following:
    [oracle@dev1 bin]$ ./searchadminctl -p oraidev1 altWord -upload -configFile /home/oracle/oracle/product/10.1.8/oradata/alt_word.xml
    Input file "/home/oracle/oracle/product/10.1.8/oradata/alt_word.xml" is not a valid XML file. Please consult the log file for more information.
    Where can i get the corresponding log file?
    Message was edited by:
    user633593

    Sorry to all....
    Solve this problem. what happend is, In the oracle document,
    http://download.oracle.com/docs/cd/E10502_01/doc/search.1018/e10418/crawler.htm
    They mentioned,
    <?xml version="1.0" encoding="UTF-8" ?>
    <config productVersion="10.1.8.2">
    <altWords>
    <altWord name="oes">
    <alternate>Oracle Secure Enterprise Search</alternate>
    <autoExpansion>true</autoExpansion>
    </altWord>
    </config>
    And forgot to close the <altWords> tag. so, its display the error.
    Thanks for your time!!

  • JComboBox fails to popup list - mouse/keyboard coordinate problem?

    Have discovered the following phenomenon:
    my JComboBox is placed in a hierarchy of panels, the top of which
    is packaged via sun.beans.ole.Packager as ActiveX. THe ActiveX'ed
    bean is used in an MFC application, which uses the plugin as VM.
    The JComboBox failed to popup its selection list when the user
    clicked on the popup button or used the appropriate key combination.
    I found out, that if the application is resized/moved so that the JComboBox
    is not in the upper left quarter of the screen, then it can display its popup list
    without problem. Have not investigated on whether the "upper left" corner
    also means "including popup bounds", but it seems like it.
    Happens only in the plugin, not within regular Java application.
    Anyone out there with a similar problem? Or better, a solution?
    Have cross-posted to the Plugin group.
    And, of course, I am desperate for a solution! (Project release date lurking...)
    Sylvia

    Nubz,
    actually I'm still using a standard wired apple keyboard, wt the magic mouse, because the wire goes under my desk, and I was actually considering getting a trackpad. Still since my Yosemite upgrade, I'm having problem after problem, so I'm not sure I will even stay wt Mac. Honestly I've examined any and all solutions, in that support article, but none of them were relevant to my problem.
    I did check & repair my Yosemite Disk Permissions using Disk Utility, and although it found only a few things wrong, and none were related to my keyboard, or mouse (most were for my HP printer), repairs seemed to rectify the problem.

  • Textarea problem

    hy, people!here�s my question:I am developing a web application using apache struts.I am using the JSLT tags from struts, including <html:textarea>.But here�s the thing:when I get in the action the content of the textarea inside a string object, it comes in a single line of string I think, because if I use the bean:write tag to print It comes the hole text in a big single line(and I have to use ben:write to display the content of the textarea, can�t be avoided),so my question is:how I can make the string of the textarea to comes with the original break lines of the text when the user input in the textarea??

    Hi,
    This is not a problem with the textarea. Instead, when browser render out the page it will ignore all carriage returns. You need to replace carriage returns with <br> tags
    As of struts 1.1, the <bean:write> tag has no option to replace carriage return for you. What you can do is
    1) Replace all "\n" with "<br>" in your string. You can do this in your code value = value.replaceAll("\n","<br>"); Set filter to false in <bean:write ..... filter="false"/>
    or
    2) Create your own WriteTag class that extends from the Struts WriteTag class and overwrite the doStartTag() method. Include the replaceAll code inside the doStartTag().
    Hope this helps

  • Chart based on Select list with submit Lov problem

    Hi,
    I have one page with interactive report showing username with links, date and
    database actions.
    Another page contains one region having flash chart based on select list with submit Lov.
    The lov is created by dynamic query.
    Every time when i click the 1st page report link, the 2nd page lov is populating the value automatically. But the problem is chart displays NO DATA FOUND message though the LOV has many values.
    I don't want to display any null values so set to NO for LOV
    I tried to write Before header computation (PL/SQL Function Body) to set the lov value, but the query is displayed as such.
    I don't want to assign any static default value also as the values are dynamic for every link.
    The following is my Before header computation of Select list with submit (Item name is p11_schema). (PLSQL Function Body)
    begin
    if :p11_schema is null then
    return 'select distinct owner schema1, owner schema2 from auditing
    where access_date=' || :p11_access_date
    || ' and username=' || :p11_username
    || ' order by owner';
    end if;
    end;
    This is my chart query.
    select null link, obj_name label, sum(sel_count) "Select", sum(ins_count) "Insert", sum(upd_count) "Update", sum(del_count) "Delete" from auditing
    where username=:p11_username
    and access_date=:p11_access_date
    and owner=NVL(:p11_schema, OWNER)
    group by owner, obj_name
    Example: If there more than one records in the lov, the graph should display the 1st record. When i select another record, the chart accordingly display the selected values. But inially it should not display "NO DATA FOUND" message.
    I tried using all the combinations of computation type for the lov, SQL query ( I could not use if conditon then), PLSQL expression, PLSQL function body. But it does not work out.
    Can anyone please help me out.
    Thanks.

    Hi Scott,
    Thanks for your reply.
    I found out the solution for this problem as below.
    But i did it in different way to tackle the dynamic query wich returns more than one record using rownum always the 1st record when it is empty instead of assigning constant (static) value like '1'. And i am returning LOV itself for both null or not null condition as below.
    Declare
    q varchar2(4000);
    begin
    if :p11_schema is null then
    q:='select distinct owner schema from auditing';
    q:=q || ' where username=:p11_username ';
    q:=q || ' and access_date=:p11_access_date ';
    q:=q || ' and rownum<2 order by owner';
    Execute immediate q into :p11_schema USING :p11_username, :p11_access_date;
    end if;
    return :P11_SCHEMA;
    end;
    Thanks.

  • List versions causing performance problems

    We have a List - not Library - List - with about 100 columns (Yes. We know that's a lot and have verified that one Item wraps to two DB rows), none of which is indexed.  An InfoPath form is used to enter and
    view the List Items. Versioning is on for auditing purposes. Versioning appears to be causing a significant performance issue - the more versions a record has, the longer it takes for the IP form to open.  Generally, each version adds one second to the
    time it takes for the IP form to open. So if a list item has 30 versions, it takes about 30 seconds from the time the user clicks the Title link until the IP form opens. Obviously having to wait 30 seconds or more for a form to open is a problem.
    The performance is similar when we open the Version History window for any one Item. We also tried using PowerShell to load a List Item's Versions and it, too, behaves the same...about 1s delay for each version an
    Item has. 
    Any suggestions on how we can configure the list or SP to prevent versions from slowing performance?

    Created PDFs for the results for the first two -
    dbcc show_statistics(AllUserData,AllUserData_PK)
    dbcc show_statistics(AllUserData,AllUserData_ParentID)
    Here are the results to the Select statement:
     select name,alloc_unit_type_desc,avg_fragmentation_in_percent from…
    name
    alloc_unit_type_desc
    avg_fragmentation_in_percent
    AllUserData_ParentId
    IN_ROW_DATA
    29.15961419
    AllUserData_ParentId
    LOB_DATA
    0
    AllUserData_PK
    IN_ROW_DATA
    28.0240832

  • TEXTAREA problem in IE...

    Hi All,
    We are using Internet Explorer version 6.0.2800.1106 on Windows 2000 Professional SP4.
    Our JSP page has around 50 TextArea components in form. And each TextArea component has around
    150 bytes of data entered. When we try to submit the page it gives Error prompt "A runtime error has occurred . Do you want to debug ?... Invalid Syntax. " . Any idea about this problem and how to resolve it ? IS there any restrictions on the TextArea componenet size in IE ? Same page works fine with Mozilla FireFox browser.
    Regards,
    Ronak

    Is your HTML formatted properly? there's no data size, in particular, for textarea. Is that error a Javascript error or the browser crashing?

  • List and justified text problems

    I'm creating a PDF that uses justified text for all paragraphs and centered headers. One of the problems I'm having is that if the last sentance in a paragraph contains just a few words, it ends up far to spaced out. It ends up looking rediculous, in extreme cases there is a word against the left margine and one against the right margin. How do I limit the space allowed between words?
    Second, how do I creat a numbered list without it indenting the left margin of the paragraph that comes after each number? I need the number to be indented, just as you would indent the first sentance of a paragraph, but the rest of the justified text needs to have the same left margin as the non-numbered paragraphs.
    Third, how do I keep the space between the number and the text the same with justified text? As it is now, it changes to acount for the number of charicters in the line of text. I aso need to keep the distance for number to left margin the same, I'm just pressing the tab button twice right now. I'm not using the list function right now because of the margine issues, I'm just including the number in the text.

    1. To prevent the last line of text from spacing out, make sure you use a hard return at the end of the last sentence in the paragraph. That marks it as the end of a paragraph, and Buzzword won't try to justify the last line of what it recognizes as a paragraph.
    2. You can use the ruler to adjust the indents and margins for paragraphs. For more details, open up the Help documentation, click on Buzzword tips (it's under Using Buzzword on the left), then click on Editing, then select the first item -- How do I create indents. It's a little tricky, but I think that you'll find that it provides the control you're looking for. Note that when you're adjusting the formatting of list paragraphs, all paragraphs in that list that are at the same list level will have the same paragraph formatting.
    3. I think that if you use the paragraph formatting (via the ruler, as noted in #2) and the list functionality, the problem of the inter-character spacing will go away.
    Hope this is helpful!

  • Reading List and bookmarks sync problems

    Hello,
    I have search answers to my problems and tried all the solutions but it does not work.
    https://discussions.apple.com/thread/3883515?searchText=Safari%20reading%20list% 20does%20not%20sync%20with%20iPad
    I have an iMac on OS 10.9.5, and iPhone 4s and iPad3 on iOS 7.1.2...
    My Safari setting on iCloud are on but the reading list and bookmarks do not sync in neither way...
    The strange thing is that I can see that open tabs are syncing, on the iMac, when I search for smth, I can see it displays me the iClouds open tabs from the tablet and iphone... but that is all. no sync of bookmarks and reading list...
    any suggestions ?

    Hi,
    I have the exact same problem (and not only with Safari but with the notes app as well): The information is not synced at all. I've tried toggling the check marks for "safari" and "notes" within the iCloud settings on both sides (iPhone as well as iMac) but it doesn't do anything .... the information does not sync at all!
    I had this problem using Mavericks and now still have it using Yosemite. On my iPhone 4 I have the latest iOS version possible, 7.1.2.
    BTW: Resetting the devices doesn't solve the problem either ... I already did a complete "restore" of the iPhone yesterday and still the syncing does not work!
    BTW2: It seems that nothing gets synced anymore to my iPhone. I just notice that a new contact, added on my iMac, isn't available on my iPhone.
    Any help would be welcomed ......

  • Textarea problem with jsp

    How can i set the value of a textarea retrieved from a MySQL database?
    I tried using this but didn't work:
    <textarea rows="5" cols="40" name="description" value="<%=ei_res1.getString("description")%>"></textarea>
    After this code is run, the value is seen in the source but not seen in the textarea itself.
    Thanks
    Anzel

    Realize esta JSP y la probe funciona, la soluci�n a tu problema es similar a esto...
    <html>
    <BODY>
    <%@ page language="java" buffer="16k"%>
    <%! String test=new String("5"); %>
    <textarea rows="5" cols="40" name="description" value="<%=test %>">
    </textarea>
    </BODY>
    </html>
    ------tu problema, solucionado -----
    <textarea rows="5" cols="40" name="description" value="<%=ei_res1.getString("description")%>">
    </textarea>

Maybe you are looking for

  • Why did YOU buy MSI ?

    Hey Guys, I just bought a DFI Lanparty Ultra-D and now I’m starting to think i should return the Ultra-D and get the MSI KN8 Neo4 Plat. So what made you guys go MSI over DFI/Abit or even Asus. One thing DFI has going for it is that it has OFFICIAL su

  • My sound mix does not sound the same after using Compressor for DVD

    Hi, Is there something I can do to maintain the sound mix of my original file when converting to the dolby in Compressor. It needs to be louder overall and sometimes the music goes way too low and the dialogue goes to soft. Sound effects were louder

  • ITunes 10.4 crashing

    I've never had any trouble with iTunes until a few days ago when it crashed after playing one track on a CD. Now it will play only one track before crashing.

  • Can I change the position of the Get Info window?

    Can I change the position of the Get Info window?

  • Drop Shadow caused by light source (Motion 3)?

    i am trying to create some drop shadows with objects in Motion, and i cannot seem to find a way to allow the 3D lights, to create a drop shadow for the object that is blocking the light. The object is also in a 3D group. I am aware that you can just