Alternative for AT NEW --- ENDAT

Hello experts,
I am using field-symbol as internal table. I cant use AT NEW statement inside this loop.
Can u pls provide alternative for above control break statement.
Thanks in advance.
Zak.

Hi,
to use control break statement, first you should sort the internal table and then you use it.
Take one example:
data: begin of it9 occurs 4,
           f1,
           f2,
         end of it9.
  it9 = '1A'. append it9. "Fill it9 with data
  it9 = '3A'. append it9.
  it9 = '1B'. append it9.
  it9 = '2B'. append it9.
sort it9 by f1.
loop at it9.
     at new f1.
         write: / 'start of:', it9-f1.
         endat.
     at end of f1.
         write: / 'end   of:', it9-f1.
         endat.
     endloop.
free it9.
Hope it is helpful.
Regards,
Chris Gu

Similar Messages

  • Need alternatives for my code...

    Hello experts,
    I am currently modifying a code where it seems it doesnt pass the data to be fetched into the variables v_usnam and v_ppnam. I checked BSAK table and there is a data on it. Anyway, when I tries to remove the AT NEW statement, it worked. But I need an alternative for AT NEW. Below is the code guys. Thanks you so much...
    AT NEW belnr.
          CLEAR: v_usnam, v_ppnam.
          SELECT SINGLE usnam ppnam FROM bkpf
            INTO (v_usnam, v_ppnam)
            WHERE bukrs = p_bukrs
              AND belnr = it_bsak-belnr
              AND gjahr = it_bsak-gjahr.
        ENDAT.
        it_alv-ppnam = v_ppnam.
        it_alv-usnam = v_usnam.

    If you don't want to declare an entire addtional structure as I told earlier, you can try this too.
    DATA: l_index LIKE sy-tabix.
    LOOP AT it_bsak.
      l_index = sy-tabix.
      AT NEW belnr.
        READ TABLE it_bsak INDEX l_index.
        CLEAR: v_usnam, v_ppnam.
        SELECT SINGLE usnam ppnam FROM bkpf
                                  INTO (v_usnam, v_ppnam)
                                 WHERE bukrs = p_bukrs
                                   AND belnr = it_bsak-belnr
                                   AND gjahr = it_bsak-gjahr.
      ENDAT.
      it_alv-ppnam = v_ppnam.
      it_alv-usnam = v_usnam.
    ENDLOOP.

  • HT4597 what will be the new alternatives for iWeb publishing,  Idisk & photo gallery ?

    what will be the new alternatives for iWeb publishing,  Idisk & photo gallery ?

    Thanks for the reply that there will be 3rd party support.
    One of the main reasons why I went from PC to Mac was because of all these cool features.
    Am dissapointed to see them leave.  ( Iweb, Photogallery, Idisk... )

  • Java vs. C# for a new project

    Hi,
    I know this has probably been done to death, but the world changes and the old arguments lose their validity so I'd be interested in people's thoughts:
    I work for a largely C# shop, but due to a general dislike of .net and Microsoft from the developers there is the possibility of using something non-MS for a new project. Currently it is looking like the app will be a traditional client-server app. Java has been mentioned as a possible alternative, and being an old Java guy myself I'm excited about the possibility of using it again!
    I have a meeting with the directors to discuss reasons why we'd want to use Java in place of C#. The directors have made a lot of cash out of MS platforms, but are open to change if I can convince them - I've come up with the following reasons:
    1) Java is more widely adopted in 'serious' industry and the biggest websites e.g. ebay, Amazon etc. all use it as their platform of choice
    2) Portable - we are having a desktop client. Whilst running on non-Windows desktops may not be a priority now, Macs and Linux are making noteworthy ground (Apple are nearly tipping 10% for the first time in decades!). Java would let us sell to these clients too.
    3) Cheaper - Don't need to pay thousands for MS licences before they can even run our software (IIS, SQL Server etc.)
    4) Better community - can leverage various OSS projects to accelerate development - in the .net world similar components are likely to be chargeable (and probably expensive!)
    What do you think to my reasons and can anyone think of any other compelling arguments?
    Many thanks,
    Ash

    A_C_Towers wrote:
    I work for a largely C# shop, but due to a general dislike of .net and Microsoft from the developers there is the possibility of using something non-MS for a new project.
    makes no sense. Use the appropriate technology for the solution rather than something 'you like'.
    Their 'dislike of .NET' almost certainly means they're stuck in the past and don't want to put in the effort to learn anything newer than VB6.
    I have a meeting with the directors to discuss reasons why we'd want to use Java in place of C#. The directors have made a lot of cash out of MS platforms, but are open to change if I can convince them - I've come up with the following reasons:
    for client/server? Unless you need to support more platforms than just Windows using Java instead of .NET makes no sense.
    1) Java is more widely adopted in 'serious' industry and the biggest websites e.g. ebay, Amazon etc. all use it as their platform of choiceIt isn't.
    2) Portable - we are having a desktop client. Whilst running on non-Windows desktops may not be a priority now, Macs and Linux are making noteworthy ground (Apple are nearly tipping 10% for the first time in decades!). Java would let us sell to these clients too.No argument. Apple is a niche market for corporate use except with graphics designers, Linux is a niche market anywhere except for servers.
    3) Cheaper - Don't need to pay thousands for MS licences before they can even run our software (IIS, SQL Server etc.)Wrong.
    IIS comes free with Windows, and you still need a quality database server. As your current customers will be using MS SQL Server that's the most logical choice and its integration with .NET is way better than its integration with Java.
    The most viable alternative is Oracle which is even more expensive.
    The most viable alternative for IIS when using Oracle is WebLogic which is more expensive than is IIS (which after all is free).
    4) Better community - can leverage various OSS projects to accelerate development - in the .net world similar components are likely to be chargeable (and probably expensive!)
    Could be. But that could just be because you know the Java community better.
    What do you think to my reasons and can anyone think of any other compelling arguments?
    Unless you or (more important) your customers already have a Unix environment in place, there is no real reason to not use .NET.

  • What is the alternative for DisplayMemberPath="Value" for Windows Store applications?

    I think there is a bug with Windows Store Applications when it comes to using DisplayMemberPath="Value".
    Here is my code
    <ComboBox Height="40" VerticalAlignment="Stretch" SelectedValuePath="Key" DisplayMemberPath="Value" x:Name="comboBox1" FontSize="25"/>
    var source = new Dictionary<string, double>();
    source.Add("Item1", 0.4);
    source.Add("Item2", 0.3);
    source.Add("Item3", 0.1);
    source.Add("Item4", 0.1);
    var formateDSource = new Dictionary<string, string>();
    foreach (var item in source)
    formateDSource.Add(string.Format("[{0}, {1}]", item.Key, item.Value), item.Key);
    comboBox1.ItemsSource = source;
    If you use this code in WPF in works perfectly. However if you use this code in a Windows Store Application then the Combo Box is empty and an error is thrown. So is there an alternative way to do this in Windows Store Applications and have I unearthed a
    bug? Because I have researched the Web for days and found no solution to this.*please do not comment unless you have tried my code as a Windows Store App not a WPF in Visual Studios. Can Someone post an example based on my code that works in Windows Store
    Apps please because this is terrible.
    Thanks

    It looks like you got an answer on SO:
    http://stackoverflow.com/questions/29817124/what-is-the-alternative-for-displaymemberpath-value-for-windows-store-applicat
    This does look like a bug.
    Matt Small - Microsoft Escalation Engineer - Forum Moderator
    If my reply answers your question, please mark this post as answered.
    NOTE: If I ask for code, please provide something that I can drop directly into a project and run (including XAML), or an actual application project. I'm trying to help a lot of people, so I don't have time to figure out weird snippets with undefined
    objects and unknown namespaces.

  • A UPS for my new iMac 21.5"

    I've ordered a new iMac 21.5" with Fusion Drive HD.
    Can someone advise me what is the proper UPS to buy for my new iMac please ?
    It's important to have some kind of software ?
    Thanks
    Ronen

    Please see their answer regarding my question :
    Thank you for contacting APC’s Customer Care Team. We are here to ensure that your query is resolved as quickly as possible. Please find our response to your query below.
    Dear Mr. Z,
    Thank you for contacting APC.
    The compatibility of the UPS with an OS is dependant on the installed management software the UPS communicates with.
    1. BR900GI - PowerChute Personal - no compatibility with OSX, please find the compatibility chart below:
    http://www.apcmedia.com/salestools/JNOE-7GSAQJ/JNOE-7GSAQJ_R11_EN.pdf
    2. SUA750I - PowerChute Business Edition - no compatibility with OSX, please find the compatibility chart below:
    http://www.apcmedia.com/salestools/ASTE-6Z5QEV/ASTE-6Z5QEV_R37_EN.pdf
    Alternately, if you install a network management card (AP9630 or AP9631) in the SUA750I, it will be able to communciate with the PowerChute Network Shutdown software. This is compatible with Mac OS X Server 10.7.2 x64:
    http://www.apcmedia.com/salestools/SJHN-7AYQNP/SJHN-7AYQNP_R41_EN.pdf
    http://www.apc.com/resource/include/techspec_index.cfm?base_sku=ap9630
    http://www.apc.com/resource/include/techspec_index.cfm?base_sku=ap9631
    Please let me know if I can assist with any further info.
    Kind regards
    <Personal Information Edited by Host>

  • I have an open case. I can't get a response from Adobe. My computer was hit by lightening and cannot be repaired. It had Photoshop on it. I want to get a copy of Photoshop for my new computer using the serial

    My computer that had Adobe Photoshop CS6 on it was hit by lightening and cannot be repaired. I want to get a copy of Photoshop for my new computer. I have an open case, but I cannot get Adobe to respond to it. I have sent the serial# and a copy of the license. Every time I try the chat function to get help, I get dropped with the message "chat is no longer available." I WANT MY PHOTOSHOP!

    This is a user forum, not a channel to address Adobe. As your fellow users and volunteers, we'll be happy to help you if we can.
    You can download the CS6 trial version just like anybody else.
    Once you download it, you can install it, input your serial number, register it and apply all necessary updates.
    An alternative, if you know how to access your Adobe account, under My Products you'll find your Photoshop CS6 registration, next to which you should find a link to download CS6 if you originally bought it as a download

  • Query on DNS setup for Active Directory for a new data center

    I have third party DNS appliances providing DNS Service for Active Directory (Windows 2008 R2) and there are also secondary DNS servers, which are MS DNS server with a secondary zone configured, for redundancy. I have to setup a new data center
    and move servers/services to this data center. In this scenario, can I install a new Microsoft DNS server with a secondary zone and use this as the primary DNS Server for all the member servers at this new location ? I am aware that this new DNS server will
    not be able to make any updates to the secondary zone and for that purpose, is there anyway to redirect such requests to the DNS appliances in my current data center across the WAN ? I am trying to avoid purchasing a new DNS appliance for the new data center
    and want to know what are the alternatives I have.
     

    im not entirely sure by your setup, as normally you would use AD integrated zones for DNS in an AD environment - although there are other options as you have already setup.
    the fact the zone is a secondary zone in DNS server terms doesn't mean you can't point your clients to it as their primary dns server. They will quite happily resolve names using a secondary server.
    so as long as your dns devices are correctly setup to support the additional secondary zone I see no reason why you couldn't do this.
    Regards,
    Denis Cooper
    MCITP EA - MCT
    Help keep the forums tidy, if this has helped please mark it as an answer
    My Blog
    LinkedIn:

  • Alternative for "FND FLEXSQL" in PLSQL

    Hi All
    I have a requirement to created a PLSQL based report for GL data, with range of GL CC as parameter. This could be achived in Oracle reports through user exit FND FLEXSQL.
    But is there an alternative for FLEXSQL to be used in PLSQL. I came across a package FND_FLEX_ORACLE_REPORTS_APIS, but the no contents, it is set to return the message "'This API has not been implemented yet...';".
    The version of the package is /* $Header: AFFFORAB.pls 120.1.12010000.1 2008/07/25 14:14:12 appldev ship $ */
    Is there a newer version for this? or is there an alternative?

    Can u look into gl_flexfields_pkg and see if this helps.
    Cheers,
    ND

  • Alternative for CodeXpert

    TOAD has a nice, integrated feature called CodeXpert. It evaluates pl/sql code and recommends possible changes according to a set of programming rules and standards.
    I'm trying to find an alternative for this feature in SqlDeveloper. Maybe a plug-in ?
    Any suggestions ?

    I'm afraid there isn't, but you can always vote on the existing request for this at the SQL Developer Exchange, to add weight for possible sooner implementation. (I believe there is one, else create a new request)
    Regards,
    K.

  • Alternative for the ActiveX object for the other browsers excluding IE?

    I need open a word document (Doc/Docx) then edit and save   in client side itsetf.forthat i'm using ActiveXObject and javascript.it is working fine with IE but it's not working in other browsers(Chrome,Firefox).
                        var w = new ActiveXObject('Word.Application');
                        w.Visible = true; //set to false to stop the Word document from opening
                        obj = w.Documents.Open("D:\\test.docx");
                        docText = obj.Content;
                        w.Selection.TypeText("Hello world!");
                        w.Documents.Save();
    what is Alternative for the ActiveX object (OR) How can i edit a word document (Doc/Docx) by using client side scripting?    
    Punch bala

    This problem is haaping to you there is reasons are
    1. Old FF , so 1st update your browser
    2.or net speed , beczzz gmail needs high speed .. high means not like 3G ..it should be approximately 25-30kbps . As u wrote this doesn't happen in IE , becz IE is mad for work in low speed also bt it takes time to load .. ones load never refresh without you permition bt FF works fastly so it try to open as it has dwnloded ,, bt half part cant be stable long .so it refreshes..........
    So now update ur browser n use high n stable INTERNET ....

  • Alternative for HP simple pass (which doesnt work very well at all)

    SO, after using HP simple pass on IE only bcause it doesnt work on CHROME...i upgraded to the latest HP simplepass....still doesnt work on chrome and now it functions very porly on IE too....it fails to ask to save/load passowords and if it does ask for a new site, if you enter the wrong PW, it saves it and doesnt ask to save a new second username like in the old version...SO I HAVE GIVEN UP ON SIMPLE PASS>...
    are there any good (paid or free) alternatives????
    thanks

    Hey @envy15touchscre ,
    Welcome to the HP forums.
    I understand you're unhappy with the new version of HP SimplePass.
    You should be able to restore the original version of SimplePass by using the HP Recovery Manager: Using Recovery Manager to Restore Software and Drivers (Windows 8).
    I have not personally tried any other security plugins for browsers to make a suggestion.
    Thanks.
    Please click the "Kudos, Thumbs Up" at the bottom of this post if you want to say "Thanks" for helping!
    Please click "Accept as Solution" if you feel my post solved your issue, it will help others find the solution.
    The Great Deku Tree
    I work on behalf of HP.

  • Mail to be send for every new pur group

    Hi ,
    I have to send mail to recipients of  the purchase grp ekgrp..
    right now im able to send mail to all purchase orders of the pur.group, individually.
    but my requirement demands that
    the mail has to triggered for every new pur.group, all the pur orders wthin that group has to come in the mail body of that purchase group.
    now actually one loop is already running, plz avoid nested loops.. and  help me out asap.
    I give you the following code .
    all respective data declared above.
    FORM form_send_mail .
      SELECT ekgrp smtp_addr FROM zmmtr_ekko INTO TABLE it_zmmtr_ekko.
    SORT it_final by ekgrp.
      LOOP AT it_final." into wa_final.
        CLEAR: wa_objtxt,wa_reclist,wa_doc_chng,wa_objpack,g_tab_lines.
        REFRESH:it_objtxt,it_reclist,it_objpack.
    Mail Subject
        wa_doc_chng-obj_descr = c_subject.
    *Mail sensitivity
        wa_doc_chng-sensitivty = c_p.
    *Fetching employee name
        READ TABLE it_zmmtr_ekko  WITH KEY ekgrp = it_final-ekgrp.
        IF sy-subrc = 0.
          g_email = it_zmmtr_ekko-smtp_addr.
        ELSE.
          CONCATENATE c_message it_final-ekgrp INTO g_message SEPARATED BY space.
          WRITE: g_message.
          CONTINUE.
        ENDIF.
        MOVE c_hi TO wa_objtxt.
        APPEND wa_objtxt TO it_objtxt.
        CLEAR wa_objtxt.
            APPEND wa_objtxt TO it_objtxt.
          CONCATENATE c_po it_final-ebeln INTO wa_objtxt SEPARATED BY space.
          APPEND wa_objtxt TO it_objtxt.
          CLEAR wa_objtxt.
         APPEND wa_objtxt TO it_objtxt.
        DESCRIBE TABLE it_objtxt[] LINES g_tab_lines.
        READ TABLE it_objtxt into wa_objtxt index g_tab_lines."INTO wa_objtxt INDEX 1."g_tab_lines.
        wa_doc_chng-obj_langu = c_en.
    *Size of message body
        wa_doc_chng-doc_size = ( g_tab_lines - 1 ) * 255 + STRLEN( wa_objtxt ).
    *Creation of the entry for the compressed document
        CLEAR wa_objpack-transf_bin.
        wa_objpack-head_start = 1.
        wa_objpack-head_num = 0.
        wa_objpack-body_start = 1.
        wa_objpack-body_num = g_tab_lines.
        wa_objpack-doc_type = c_raw.
        APPEND wa_objpack TO it_objpack.
    *Completing the recipient list
    *target recipent
        REFRESH: it_reclist.
        CLEAR: wa_reclist.
        wa_reclist-receiver = g_email.
        wa_reclist-rec_type = c_u.
        APPEND wa_reclist TO it_reclist.
    AT NEW ekgrp.
          CALL FUNCTION 'SO_NEW_DOCUMENT_ATT_SEND_API1'
            EXPORTING
              document_data              = wa_doc_chng
              put_in_outbox              = c_x
              commit_work                = c_x
            IMPORTING
              sent_to_all                = g_sent_to_all
            TABLES
              packing_list               = it_objpack
              contents_txt               = it_objtxt
              receivers                  = it_reclist
            EXCEPTIONS
              too_many_receivers         = 1
              document_not_sent          = 2
              document_type_not_exist    = 3
              operation_no_authorization = 4
              parameter_error            = 5
              x_error                    = 6
              enqueue_error              = 7
              OTHERS                     = 8.
        ENDAT.
        CASE sy-subrc.
          WHEN 0.
              WRITE: / c_mail ,g_email,c_mail0,it_final-ekgrp, it_final-ebeln, it_final-lifnr.
              SKIP 1.
          WHEN 1.
            WRITE: / c_mail1."chk mail content and do it..
            SKIP 1.
          WHEN 2.
            WRITE: / c_mail2.
            SKIP 1.
          WHEN 3.
            WRITE: / c_mail3.
            SKIP 1.
          WHEN OTHERS.
            WRITE: / c_mail4.
            SKIP 1.
        ENDCASE.
      ENDLOOP.
      WRITE:       / c_mail5.
      SKIP 1.
    ENDFORM.                    " FORM
    Rgds,

    The newly created database should automatically get picked up the maintenance plan.
    http://sqlmag.com/sql-server/inside-database-maintenance-plans
    No need to manually update the plan. I feel you need to have valid full backup for its successive Diff or Transaction log backup. 
    Are you getting any error in the job history?
    -Prashanth

  • Are there any alternatives for iphone backup extractor?

    Hi all,
    I find that the 'iphone backup extractor' program is very useful, however it is quite annoying that they limit the extraction to 4 files at a time and that we have to pay in order to get our own data files propperly. :S
    When I restore my old backup from iTunes, every new thing is gone, when I restore the backup I just made, the old backup stuff has gone. It just replaces each other.
    Apple should have their own software like this where you can extract what ever you want from your old backups and transfer it on to your phone, such as contacts for example.
    Anyway, I was wondering if there is any alternatives for this program, or any other way I can extract my backup files ?

    If you're on a Mac, there is a "free" iPhone backup extractor, but none that I know of for Windows. You could always code your own program, that would be free.
    Apple doesn't provide a mechanism to do this for the simple reason they don't want users screwing with the iPhone backup. Thus, none of these third-party programs are supported.

  • XQuery - In search of alternatives for "ora:view"

    Instead of the following XQuery statement, what could be alternatives, regarding re-writing the statement, via options like:
    - xmltable
    - xsql
    - xpath
    - table(xmlsequence())
    - etc
    So I am looking for alternative statements and/or an alternative for ora:view
    Thanks for the effort
    Marco
    xquery
    let $auction := ora:view("XMLType_Table") return
    for $b in $auction/site/people/person[@id = "person0"] return $b/name/text()
    /Edited by: Marco Gralike on Oct 19, 2008 3:48 PM

    The file is to big to fit in VARCHAR2, so therefore it was loaded via the bfilename method.
    Content of file X.XML in directory C:\TEMP
    <?xml version="1.0" standalone="yes"?>
    <site>
    <regions>
    <africa>
    <item id="item0">
    <location>United States</location>
    <quantity>1</quantity>
    <name>duteous nine eighteen </name>
    <payment>Creditcard</payment>
    <description>
    <parlist>
    <listitem>
    <text>
    page rous lady idle authority capt professes stabs monster petition heave humbly removes rescue runs shady peace most piteous worser oak assembly holes patience but malice whoreson mirrors master tenants smocks yielded <keyword> officer embrace such fears distinction attires </keyword>
    </text>
    </listitem>
    <listitem>
    <text>
    shepherd noble supposed dotage humble servilius bitch theirs venus dismal wounds gum merely raise red breaks earth god folds closet captain dying reek
    </text>
    </listitem>
    </parlist>
    </description>
    <shipping>Will ship internationally, See description for charges</shipping>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <mailbox>
    <mail>
    <from>Dominic Takano mailto:[email protected]</from>
    <to>Mechthild Renear mailto:[email protected]</to>
    <date>10/12/1999</date>
    <text>
    asses scruple learned crowns preventions half whisper logotype weapons doors factious already pestilent sacks dram atwain girdles deserts flood park lest graves discomfort sinful conceiv therewithal motion stained preventions greatly suit observe sinews enforcement <emph> armed </emph> gold gazing set almost catesby turned servilius cook doublet preventions shrunk
    </text>
    </mail>
    </mailbox>
    </item>
    </africa>
    <asia>
    <item id="item1">
    <location>United States</location>
    <quantity>1</quantity>
    <name>great </name>
    <payment>Money order, Cash</payment>
    <description>
    <text>
    print deceit arming ros apes unjustly oregon spring hamlet containing leaves italian turn <bold> spirit model favour disposition </bold> approach charg gold promotions despair flow assured terror assembly marry concluded author debase get bourn openly gonzago wisest bane continue cries
    </text>
    </description>
    <shipping>Will ship internationally</shipping>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <mailbox>
    <mail>
    <from>Fumitaka Cenzer mailto:[email protected]</from>
    <to>Lanju Takano mailto:[email protected]</to>
    <date>02/24/2000</date>
    <text>
    entreaty hath fowl prescience bounds roof fiend intellect boughs caught add jests feelingly doubt trojans wisdom greatness tune worship doors fields reads canst france pay progeny wisdom stir mov impious promis clothes hangman trebonius choose men fits preparation <keyword> benefit since eclipse gates </keyword>
    </text>
    </mail>
    <mail>
    <from>Papa Godskesen mailto:[email protected]</from>
    <to>Ioana Blumberg mailto:[email protected]</to>
    <date>08/02/2001</date>
    <text>
    jealousy back greg folded gauntlets conduct hardness across sickness peter enough royal herb embrace piteous die servilius avoid <keyword> laying chance dungeons pleasant thyself fellow purse steward heaven ambassador terrible doubtfully </keyword> milk sky clouds unbraced put sacrifices seas childish longer flout heavy pitch rosalind orderly music delivery appease
    </text>
    </mail>
    </mailbox>
    </item>
    </asia>
    <australia>
    <item id="item2">
    <location>United States</location>
    <quantity>1</quantity>
    <name>scarce brook </name>
    <payment></payment>
    <description>
    <parlist>
    <listitem>
    <text>
    senses concave valiant star further instruments bankrupts countrymen horrid costard youth necessity tend curiously waken witness navy there honest interest perceive defendant chief traffic where nuptial descent travel prepare agreed voices swears remember peerless doing <keyword> preparation rejoice </keyword>
    </text>
    </listitem>
    <listitem>
    <text>
    swear canker barbarian parching coxcomb excess conspiring nobles sounded consider sayings fishified prime may spirit <emph> untruths misgives choughs mew here garments tenfold </emph> error discontent hung beatrice straight muse shame deep twice mann maecenas any conveyance fingers whereupon child case <keyword> season presently victory women beating </keyword> deprive almost wed dreams slew reveal
    </text>
    </listitem>
    <listitem>
    <text>
    spotted attend burden camillo field enlarge stead corporal ground tormenting <bold> naturally sanctuary riddle exile coming awake senseless chance famous albans </bold> service cricket limb from clouds amongst shore penker defend quantity dumb churlish uncover swung eros figur sulphur sky birth stare negligent unction shield instance ambition gate injury fort put infants find slavish hugh see afterwards slanders chides eyes minds alb loved endure combating voyage
    </text>
    </listitem>
    <listitem>
    <parlist>
    <listitem>
    <text>
    maintained peril rivall suddenly finds studies weary truth indulgence anatomy assisted imminent may excepted yonder aches regal
    </text>
    </listitem>
    <listitem>
    <text>
    <bold> friar prophetess </bold> spirits delays turning cassio finding unpractis steel sweets promises credulity err nym complete star greatly mope sorry experience virtues been offending bed drives faction learnt hurl eleven huge
    </text>
    </listitem>
    <listitem>
    <text>
    piece hours cruelly april league winged <keyword> tract element sails course placed fouler four plac joint </keyword> words blessing fortified loving forfeit doctor valiant crying wife county planet charge haughty precious alexander longboat bells lewd kingdoms knife giver frantic raz commend sit sovereignty engaged perceive its art alliance forge bestow perforce complete roof fie confident raging possible cassio teen crave park reign lords sounded our requite fourth confidence high
    </text>
    </listitem>
    </parlist>
    </listitem>
    <listitem>
    <parlist>
    <listitem>
    <text>
    sent fled bids oswald help answer artillery jealous hugh fingers gladly mows our craving <emph> preventions spurr edmund drunk how faction quickly bolingbroke painfully </emph> valorous line clasp cheek patchery encompassed honest after auspicious home engaged prompt mortimer bird dread jephthah prithee unfold deeds fifty goose either herald temperance coctus took sought fail each ado checking funeral thinks linger advantage bag ridiculous along accomplishment flower glittering school disguis portia beloved crown sheets garish rather forestall vaults doublet embassy ecstasy crimson rheum befall sin devout pedro little exquisite mote messenger lancaster hideous object arrows smites gently skins bora parting desdemona longing third throng character hat sov quit mounts true house field nearest lucrece tidings fought logotype eaten commanding treason censur ripe praises windsor temperate jealous made sleeve scorn throats fits uncape tended science preventions preventions high pipes reprieves <bold> sold </bold> marriage sampson safety distrust witch christianlike plague doubling visited with bleed offenders catching attendants <emph> cars livery stand </emph> denay <keyword> cimber paper admittance tread character </keyword> battlements seen dun irish throw redeem afflicts suspicion
    </text>
    </listitem>
    <listitem>
    <text>
    traduc barks twenty secure pursuit believing necessities longs mental lack further observancy uncleanly understanding vault athens lucius sleeps nor safety evidence repay whensoever senses proudest restraint love mouths slaves water athenian willingly hot grieves delphos pavilion sword indeed lepidus taking disguised proffer salt before educational streets things osw rey stern lap studies finger doomsday pots bounty famous manhood observe hopes unless languish <keyword> transformed nourish breeds north </keyword>
    </text>
    </listitem>
    </parlist>
    </listitem>
    </parlist>
    </description>
    <shipping>Will ship internationally</shipping>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <mailbox>
    <mail>
    <from>Aspi L'Ecuyer mailto:L'[email protected]</from>
    <to>Lesley Jeris mailto:[email protected]</to>
    <date>10/09/1998</date>
    <text>
    necessities chains rosencrantz house heed course lawn diest unvirtuous supposed sees chough swor numbers game roman soundest wrestler sky lodovico beast shivers desolate norfolk forgot paulina wars george while beggar sheath thursday capable presently his protector father orchard enemies believe drains tokens prison charge cloud stab york mild scene true devotion confidence hundred those guiltless pricks sort himself mutiny officers directive wholesome edge acts dion ride draw brings custom chapless beside sex dowry casca goods priam blasphemy prick octavia brain curer thinkest idiot inward missing conspiracy tents scab inundation caesar officer dramatis
    </text>
    </mail>
    </mailbox>
    </item>
    </australia>
    <europe>
    <item id="item3">
    <location>Uzbekistan</location>
    <quantity>1</quantity>
    <name>abhorr execution beckon rue </name>
    <payment>Money order, Creditcard, Cash</payment>
    <description>
    <parlist>
    <listitem>
    <text>
    <keyword> perjur kills insanie unfortunate conjuration deeper confounded belied first guard </keyword> pale profits height desir ashore france strength kept entrench poisons worth fought ignorance moody poniards speaks jack egg offspring victory food double emperor round jewel abbey apparel untainted lass protest start wings acquit lake lady battles further low thief try brook cake mounted officers dean shrunk lowness dew sandy prologue armies suspicion eighty advance thankfulness albany ended experience halt doubted wert kingdom fiend directed pair perhaps
    </text>
    </listitem>
    <listitem>
    <text>
    prayer odds rend condemn conrade swearing dispos losses boar little from thought different couch respected human robe dictynna later pays edward babe distemper bards damned mayst sustain while self alcibiades listen weak soil <keyword> view presume loggets feed </keyword> afoot yields erection balthasar fathers datchet thankless lear cause evil cheerfully instance tarried because cough ancient testimony tarquin cousin reported porter beastly jade bark sex slack lear devil devoured amiable mason moss shoulders labour meanest feign eggs encount forbid enobarbus halters nam emilia fiends bearing food inheritor wiser <emph> hedge </emph> functions there capital greasy dark crush your sequest between devout thou strikes demand dost reverent conference least told ado modena jealousy nunnery mistrust nightly worthy closes tall proudly fierce receive nearness safer jacks shut dire mates wind unfortunate monsieur parcels sauced extremities throat dog empty treasury etc detested stand taxations edges mourner sue knavery unlook perseus diadem heartily peer tut compounded art reconcile study thought cockatrice money pity intend thing claud edmund throws torments ropes contrive story slain advise lecher ardea relics keeping treads buckingham defences lag neighbour ourself marshal disordered moderate venus afeard article rot hazards craft crowns <emph> plainness patient </emph> lying knowledge diseases meritorious medicine instead lid happy without them bands answer
    </text>
    </listitem>
    </parlist>
    </description>
    <shipping>Will ship only within country</shipping>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <mailbox>
    </mailbox>
    </item>
    </europe>
    <namerica>
    <item id="item4">
    <location>United States</location>
    <quantity>1</quantity>
    <name>unsur brutish </name>
    <payment>Money order, Creditcard</payment>
    <description>
    <parlist>
    <listitem>
    <text>
    prepar likelihood eagle body walk borachio month writing left speed patents coach through protectorship congruent confusion favours following populous garden henceforth shoots function fourscore mangled favorably slain secretly vice distinguish bardolph content hence boy worse bring usurers stew beard longed creep hid pursuivant beholders senators son mercutio woo bestow trumpet excess muffler pick ugly felt causes remove adding tear often rounds underbearing tree purer kibes endless women benefit throw <emph> claim firmness <keyword> arrived sees wrestled multitude repent preventions infamy reproof shalt hearted prais knave doubtless </keyword> deny </emph> merely grave voluble late loath digest horn slave hunger stronger amazed salt killing ross cry dry tongue kiss yields auspicious quietness perpetual ways
    </text>
    </listitem>
    <listitem>
    <text>
    court mean returning brook creatures appointed paunches henry sights west prunes flutes regiment seems bed musicians slumber post friendship prevention abreast wouldst words vexation builds unfelt holly walk inform moods deck bulk begin action school nobles antique people unkennel stomach into petitions jack assail yongrey ages betimes golden sink droop kernel hoppedance perfection weight <emph> whining safe english rod other featur </emph> betwixt orator across amiss mine guests guard yon willing remit longing goneril visitation honey
    </text>
    </listitem>
    </parlist>
    </description>
    <shipping>Will ship only within country, Buyer pays fixed shipping charges, See description for charges</shipping>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <mailbox>
    <mail>
    <from>Honari Castan mailto:[email protected]</from>
    <to>Maz Lucky mailto:[email protected]</to>
    <date>01/24/1998</date>
    <text>
    scene disposition substance prick counsel start temples
    </text>
    </mail>
    </mailbox>
    </item>
    </namerica>
    <samerica>
    <item id="item5">
    <location>United States</location>
    <quantity>1</quantity>
    <name>nakedness </name>
    <payment>Creditcard, Personal Check, Cash</payment>
    <description>
    <text>
    music sift kissing design airy office dismantled hope reconcil combat wert quite translate overcome unthrifty <emph> fell othello <bold> wolf entreat audaciously down sands sports pilgrimage duellist league holiday cheek that tables merrily knot selves ionia impure </bold> prophet draw throwing solemn yonder </emph> rightful foam worthless polack veronesa antony beget thereby carry untread hales
    </text>
    </description>
    <shipping>Will ship only within country, Will ship internationally</shipping>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <incategory category="category0"/>
    <mailbox>
    </mailbox>
    </item>
    </samerica>
    </regions>
    <categories>
    <category id="category0">
    <name>dispatch reported dotard holofernes </name>
    <description>
    <parlist>
    <listitem>
    <text>
    shift carrion doubtful strangle sounding crowned troubled naked yesterday overthrow owe silent recount waters derive sans four
    </text>
    </listitem>
    <listitem>
    <parlist>
    <listitem>
    <text>
    fragment pamper arthur thrive wound fouler streets preventions obey vow bawds myrtle said infinite montague fierce sense ride souls commended gainsay profession labour intents persuade alter
    </text>
    </listitem>
    <listitem>
    <text>
    ord villain wore thunder congeal pawned alack customary deny faithful top office spoken please neighbour office afternoon drum embowell touch sue lifeless leapt called weary congregation yield
    </text>
    </listitem>
    <listitem>
    <text>
    mental fatal hard ancient stands cor dishes therein gramercy discipline farewell dire tricks protest cut horatio brother speech sleeping adultress pitch cave liv nurse drink state plants combating desired requir rebellion afraid repented tree scald stopp wine advise undermine norfolk vilely whet scars companions hanging foolish scene musty fruitful unburthen teacher garments betimes sight now for oaths vouchsafe particulars globe laertes afflictions rouse once news humanity buck destroy military lucius lap <keyword> considered forc mourning verona </keyword> waters triumphing officer hastily <emph> resign subject figure hay thwart written signs gout bred distance period glove players change folly </emph> going wat lost song hautboys pick business crocodile leading cave twice frenzy sprightly dislike invite forbids morn devour ambassador seldom speak tickling rejoice triumphant ascanius forward
    </text>
    </listitem>
    </parlist>
    </listitem>
    </parlist>
    </description>
    </category>
    </categories>
    <catgraph>
    <edge from="category0" to="category0"/>
    </catgraph>
    <people>
    <person id="person0">
    <name>Jaak Tempesti</name>
    <emailaddress>mailto:[email protected]</emailaddress>
    <phone>+0 (873) 14873867</phone>
    <homepage>http://www.labs.com/~Tempesti</homepage>
    <creditcard>5048 5813 2703 8253</creditcard>
    <watches>
    <watch open_auction="open_auction0"/>
    </watches>
    </person>
    </people>
    <open_auctions>
    <open_auction id="open_auction0">
    <initial>13.56</initial>
    <reserve>33.78</reserve>
    <bidder>
    <date>10/22/2001</date>
    <time>10:21:43</time>
    <personref person="person0"/>
    <increase>55.50</increase>
    </bidder>
    <bidder>
    <date>07/27/2001</date>
    <time>12:36:50</time>
    <personref person="person0"/>
    <increase>19.50</increase>
    </bidder>
    <bidder>
    <date>02/14/2000</date>
    <time>16:40:16</time>
    <personref person="person0"/>
    <increase>19.50</increase>
    </bidder>
    <bidder>
    <date>05/09/2001</date>
    <time>11:39:57</time>
    <personref person="person0"/>
    <increase>30.00</increase>
    </bidder>
    <bidder>
    <date>07/12/1999</date>
    <time>23:20:27</time>
    <personref person="person0"/>
    <increase>13.50</increase>
    </bidder>
    <bidder>
    <date>10/21/2001</date>
    <time>01:19:47</time>
    <personref person="person0"/>
    <increase>3.00</increase>
    </bidder>
    <bidder>
    <date>09/28/2001</date>
    <time>17:03:24</time>
    <personref person="person0"/>
    <increase>6.00</increase>
    </bidder>
    <bidder>
    <date>11/15/1999</date>
    <time>14:23:15</time>
    <personref person="person0"/>
    <increase>9.00</increase>
    </bidder>
    <bidder>
    <date>01/02/1998</date>
    <time>22:18:07</time>
    <personref person="person0"/>
    <increase>1.50</increase>
    </bidder>
    <bidder>
    <date>12/24/2001</date>
    <time>16:46:32</time>
    <personref person="person0"/>
    <increase>13.50</increase>
    </bidder>
    <bidder>
    <date>08/12/2000</date>
    <time>11:41:54</time>
    <personref person="person0"/>
    <increase>3.00</increase>
    </bidder>
    <bidder>
    <date>11/15/2000</date>
    <time>15:53:40</time>
    <personref person="person0"/>
    <increase>6.00</increase>
    </bidder>
    <bidder>
    <date>03/04/2000</date>
    <time>20:46:15</time>
    <personref person="person0"/>
    <increase>16.50</increase>
    </bidder>
    <bidder>
    <date>07/22/1998</date>
    <time>10:34:11</time>
    <personref person="person0"/>
    <increase>25.50</increase>
    </bidder>
    <bidder>
    <date>04/01/1998</date>
    <time>10:44:22</time>
    <personref person="person0"/>
    <increase>7.50</increase>
    </bidder>
    <current>243.06</current>
    <itemref item="item0"/>
    <seller person="person0"/>
    <annotation>
    <author person="person0"/>
    <description>
    <text>
    debauch corpse canons domain night forsake yea satisfy between fume were monsters ear players moreover ungentleness sorrows prouder tonight favours rome bastard unshown excellence journey loves swearing proceeds stone buck battle breathless kindness prophesy entomb urging rogues hector conquer provoke nothing raw wight places needy feasted romeo rivers worser occupation brook stoops brooch plucks level samp tent windsor rubs whereof beam signior built suff heavy dull husbands roman favour urge spear gone wolf cheeks execute resolv such horrid drives provide twice spoke trade friar taking pheasant sentenc scarf corrections brothers charge spur ass agamemnon truepenny saves roots practis impatient diest didest starv seeing beneath interpose gods home black forgot snuff dress dozen napkins <emph> countess northumberland headlong needless angry pleading </emph> better joy <emph> meagre </emph> reap enquire crab wales died violent rear past liberty <emph> braggart armour infer bankrupt winds teeth </emph> case wore pouch crows cognition <keyword> reports expedition free chief cressida hearsed </keyword> loath monuments silent congregation soon farm doct ross susan ready empty dedicate shilling whole soul foot beseech higher lifeless hay postmaster distress disposition <bold> inherits </bold> marcus betters pitch betray beam corse player quality ros conduct thersites greediness boast pilgrims startles contented belch hung thus captain early blood par brook jul gain needs above ensign grapes revelling glean thank
    </text>
    </description>
    <happiness>6</happiness>
    </annotation>
    <quantity>1</quantity>
    <type>Regular</type>
    <interval>
    <start>06/16/1999</start>
    <end>05/12/2001</end>
    </interval>
    </open_auction>
    </open_auctions>
    <closed_auctions>
    <closed_auction>
    <seller person="person0"/>
    <buyer person="person0"/>
    <itemref item="item1"/>
    <price>113.87</price>
    <date>06/06/2000</date>
    <quantity>1</quantity>
    <type>Regular</type>
    <annotation>
    <author person="person0"/>
    <description>
    <parlist>
    <listitem>
    <parlist>
    <listitem>
    <text>
    farewells religion fetch bells rage names valued exeunt soul albans ungently advised serving ratcliff braggarts knowest desp sheep died repeat toy corrupted michael help dunghill trembles pill reap office early secure desires hated garland carriage impatient deserts feel challenger evil <bold> editions depart laur hereford richer </bold>
    </text>
    </listitem>
    <listitem>
    <text>
    proudest lust approve rey should spectacles fiery perfect worshipp foul quod yes remorse young tyburn thrust attending spear shun doctor wild
    </text>
    </listitem>
    </parlist>
    </listitem>
    <listitem>
    <text>
    throng grandam awak helpless ventidius tread defeat teem durst wonderful attaint chaste sees fulfill mortality arme expedient attendants themselves performed leading sing villain skill store mischief see consciences sail text speed sons spleen die oft girl atomies commodity honor fall stopp they
    </text>
    </listitem>
    <listitem>
    <text>
    rain pays spilling rancour reasons grieves camp bachelor crow can whom soldiers growth invite less for vaughan properties <keyword> record penury herself reasons merits villainous whereupon wrote penny mar </keyword> preventions followed best eternity bestow blots rocks barnardine torn cassio tailor fame forfeit triumphant conceived deem cowardly merciful topgallant flint purgation whosoever ventidius befits forever bankrupt choughs stains certain violated burgundy shadows possesseth men repent predominant burns revelry swore prodigious next tyrant oath noses apart balth trade feasting field importunity expect experience kingly stay babe hopes liege astonished suspicion unmannerd alexander crown soil committed god stately incensed trance oracle slowness fast princes damned corn grandsire change tender end fields slain palm softly samp shore notion herod messengers horseman <bold> riggish </bold> quirks shut thence beware jewels sland preventions has sells assails influences oppression pow maggot caught methought mechanical durst liker not seat <emph> assigns flesh made his third <keyword> seemeth </keyword> peril gain they stroke forsworn scape full determin professes commons </emph> lordship clear operation practice pyrrhus earnest broke devil posterity company text misbegotten oregon strike saw arthur earnestly brow popilius ugly serves presentation commandment metal comparing thereon true secretly gallows preventions horridly slack lieutenant hers stop clown rosalinde wed pretty wildly
    </text>
    </listitem>
    </parlist>
    </description>
    <happiness>9</happiness>
    </annotation>
    </closed_auction>
    <closed_auction>
    <seller person="person0"/>
    <buyer person="person0"/>
    <itemref item="item2"/>
    <price>96.92</price>
    <date>12/05/2001</date>
    <quantity>1</quantity>
    <type>Featured</type>
    <annotation>
    <author person="person0"/>
    <description>
    <text>
    hitherto queen painted seat fords clay recall countryman divided delicate mocking active bills filth pledge surrender madness sufficiency moved converse goot claw show edmundsbury torment tough fish mediators tarquin pyrrhus <keyword> heathen </keyword>
    </text>
    </description>
    <happiness>6</happiness>
    </annotation>
    </closed_auction>
    <closed_auction>
    <seller person="person0"/>
    <buyer person="person0"/>
    <itemref item="item3"/>
    <price>53.85</price>
    <date>05/11/1999</date>
    <quantity>1</quantity>
    <type>Featured</type>
    <annotation>
    <author person="person0"/>
    <description>
    <text>
    strives occasion question sticks shall ingenious sinews liquid ashy gentlewomen authority assay hole selves living near doting modest wiltshire mocker eton profess forgeries butt wade lawful maccabaeus wert forced succeeding becomes wayward got
    </text>
    </description>
    <happiness>6</happiness>
    </annotation>
    </closed_auction>
    <closed_auction>
    <seller person="person0"/>
    <buyer person="person0"/>
    <itemref item="item4"/>
    <price>123.52</price>
    <date>02/11/1999</date>
    <quantity>1</quantity>
    <type>Regular</type>
    <annotation>
    <author person="person0"/>
    <description>
    <text>
    vowed keys imperial were swinstead forsake cat aliena spies crave requite forfeit doctor <emph> possess </emph> aught demand ceremonies obscure engross hero restraint bolingbroke neighbour crimes dominions common turns conduct wav therewithal abandon yet hunger
    </text>
    </description>
    <happiness>5</happiness>
    </annotation>
    </closed_auction>
    <closed_auction>
    <seller person="person0"/>
    <buyer person="person0"/>
    <itemref item="item5"/>
    <price>96.06</price>
    <date>04/24/1999</date>
    <quantity>2</quantity>
    <type>Featured</type>
    <annotation>
    <author person="person0"/>
    <description>
    <text>
    jove superiors prolong which conspirator crowns fellowship indisposition skins filthy divers fault apparell worthiness supposition parchment restitution rings rages remains lass dependent pelican contrive paradoxes unmask desdemona weak pleases shame wisely cheek poison avoid ulysses exeunt answer smoothing punishment much anointed bloody shook here armado supply four digestion unresisted consummate glou ding figure made unwrung worst repute envious meanest read nan stake shriek tower nights armed drinking instant scruple citizens rightful nonino shame hills dismal other fasting attends judge aspire hand putting repeal grounds bestrid commission crave mess tarries sport view freely lame done intend cast shun kills presented body landed question hem same burdens plenty esteem weak sigh sunday body preventions revenge horses cleomenes thrust what albeit foolishly mirror gently mock allow index evils should consider deeds suit damsons willoughby thousand number morn banish barricado unfolding perhaps gently stalk degree oblivion wars monsieur companies swords shifted clay strives frozen jour <emph> ajax states mark parcels advertised utterly virtue flatter sleeping ope </emph> lucilius tybalt glow killed account obdurate kindly <bold> heart light bosom garden cog yet daughters tott </bold> lifted offer
    </text>
    </description>
    <happiness>4</happiness>
    </annotation>
    </closed_auction>
    </closed_auctions>
    </site>

Maybe you are looking for

  • IS there a way to edit a detail (title) in N97's c...

    I just switched from N95 to N97 and was shocked to find out that there is no way to edit the detail(s) in a contact, i.e. to change the title from "Mobile" to say "Telephone (Home)" and so on! The N97 will allow only the addition and deletion of a de

  • Two questions regarding versions 1.5 and 2.0

    I am going back a few years I know, but can any subject matter expert coach me on two questions related to version 1.5 or 2.0? First, may I use these versions to place subtitles/captions into videos? Second, may I also either import prerecorded voice

  • Blackberry Link uses a lot of memory

    I am using Blackberry Link 1.1.1.41 on Windows 7 x64 (with a Q10). BlackBerryLink.exe *32 is using 294Mb of memory! That's more than any other process except Internet Explorer with loads of windows open. The previous version was the same, and I was h

  • Playlist transfer

    Does anyone know how to transfer a playlist from one itunes computer to another?  I tried library/export playlist and that did not work.

  • Send Email on some date

    Hi experts I need a FM to send a external email on some particular date. Thanks Bijal