LCDS and paging

Hello everybody,
First, excuse me for the mistakes I may have made.
I am a trainee and the enterprise I work for is planning to
change the presentation layer (and maybe all the layers) of their
software packages for Flex (at the present time they use the .NET
platform). But in order to ensure that Flex can answer their needs,
they have asked me to make a model using Flex together with Java,
Hibernate, LCDS, SQL Server and Tomcat.
I am currently using those versions :
- jdk 1.5.0_12
- Hibernate 3 (I use the jars provided with LCDS)
- LCDS 2.5
- SQL Server 2005
- Tomcat 5.5
As far as some of the tables from their databases are quite
big (they can reach 2.000.000 rows) I need to implement paging. The
table I currently use for my example is "only" 10.000 rows.
I must confess that I am new to n-tiers architectures and
that there are many concepts I misunderstand.
What I want to do is make the user able to choose how many
rows a page he wants to display (This could look a bit like
this). And
the server would only send this number of rows for each page (which
is not the case for the page I linked).
I have noticed that the implementation of the fill method for
the HibernateAssembler had changed between FDS (
public Collection fill(List fillArgs)) and LCDS (
public Collection fill(List fillArgs, int startIndex, int
numItems)).
You are now able to specify a start index and the number of
rows to display. This is the method I would like to use.
To do so, I have tried to refer to
LCDS
documentation but I find it quite confusing. Here it is :
Using on-demand paging
There are two ways in which the Data Management Service
implements on-demand paging of data by Flex clients. In the default
approach, the fill method returns the entire collection of objects.
The server sends the first page of items to the client as part of
the initial fill request.
As the client code tries to access ArrayCollection elements
which are not resident, additional pages are retrieved from the
server. If the cache-items property is set to true, these pages are
sent directly by the Data Management Service. If the cache-items
property is set to false, the Data Management Service calls the
getItem() method for each item it needs to send to the client.
When the original query is too large to be held in the
server's memory, it is desirable for the Assembler to only return a
single page of items at a time. In this mode, each time the client
requests a page, the Assembler is asked for that page of items and
they are sent directly to the client. Currently this mode is not
supported when the autoSyncEnabled property is set to true for the
paged collection. You must set the autoSyncEnabled property to
false before executing the code. This configuration is not
supported for the SQLAssembler. It is supported for the
HibernateAssembler and you can implement it with your own Java
Assembler implementation.
To enable this second mode, you set the custom="true"
attribute on the paging element in your network settings on the
server and ensure paging is enabled with a reasonable pageSize
value.
If you are using the fill-method approach in your Assembler,
you specify a fill method that matches the fill parameters used by
your client with two additional parameters: the startIndex and the
number of items requested. The Data Management Service calls this
method once for each page requested by the client.
If you are using the Assembler interface approach, you
override the useFillPage() method for the appropriate fill method
to return true for the fill parameters you want paged using custom
paging. When the client requests a page, it calls the fill variant
in the Assembler interface which takes the additional startIndex
and number of items parameters. You return
just those items and they are returned to the client.
When you use custom paging in either the fill-method or
Assembler approach, there are two ways that the client can
determine the size of the collection. When you have enabled the
custom paging mode, on the initial fill request made by the client,
the Data Management Service invokes the count method with the
parameters the client passed to fill. If the count
method returns -1, a dynamic sizing algorithm is used for
this filled collection. In this approach, the assembler's paged
fill method is called with startIndex of 0 and number of items set
to the pageSize + 1. If the assembler method returns less than the
number requested, the size of the fill is known. If it returns the
pageSize+1 items requested, pageSize items are
returned to the client but the client sets the collection
size to pageSize + 1 - with one empty slot at the end. When that
empty item is requested by the client, the next pageSize+1 items
are requested and the process repeats until the assembler returns
less than pageSize+1 items.
The HibernateAssembler implements this dynamic paging
mechanism when you set the page-queries-from-database attribute to
true in the destination's server properties. If you are using an
HQL query sent from the client and the query is a simple query, the
Hibernate assembler attempts to implement a count query by
modifying the query sent from the client.
If you are using a named query, the Hibernate assembler looks
for a query named <original-query-name>.count. If that query
exists, it uses it to compute the size of the paged collection.
Otherwise, it uses the dynamic-sized approach.
I guess I should change
<params>java.util.List</params> for
<params>java.util.List,int,int</params>.
But I don't know which properties to add or modify.
It also talks about the custom attribute of the paging
element. Is it a new attribute that replaces "enabled" ? Or does it
come in addition to it ?
The following files are working and allow me to retrieve the
datas I expect (but without paging).
My data-management-config.xml looks like this :
<?xml version="1.0" encoding="UTF-8"?>
<service id="data-service" class="flex.data.DataService"
messageTypes="flex.data.messages.DataMessage">
<adapters>
....<adapter-definition id="java-adapter"
class="flex.data.adapters.JavaAdapter" default="true"/>
</adapters>
<default-channels>
....<channel ref="my-rtmp"/>
</default-channels>
<destination id="refacteur.hibernate">
....<adapter ref="java-adapter" />
....<properties>
........<use-transactions>true</use-transactions>
........<source>flex.data.assemblers.HibernateAssembler</source>
........<scope>application</scope>
........<metadata>
............<identity property="cleacteur"/>
........</metadata>
........<network>
............<session-timeout>20</session-timeout>
............<paging enabled="false" pageSize="20"/>
............<throttle-inbound policy="ERROR"
max-frequency="500"/>
............<throttle-outbound policy="REPLACE"
max-frequency="500"/>
........</network>
........<server>
............<hibernate-entity>fr.phylum.referentiel.Refacteur</hibernate-entity>
............<fill-method>
................<name>fill</name>
................<params>java.util.List</params>
............</fill-method>
............<fill-configuration>
................<use-query-cache>true</use-query-cache>
................<allow-hql-queries>true</allow-hql-queries>
............</fill-configuration>
........</server>
....</properties>
</destination>
</service>
This is the named query definition I use, found in
Refacteur.hbm.xml :
<query name="refacteur.where.ville.order.by.libacteur">
....<![CDATA[
........from Refacteur as refacteur
........where refacteur.villeActeur = ?
........order by libacteur
....]]>
</query>
And here is the call to the fill method, found in my mxml
application file Acteurs.mxml :
globalFilter.dataService.fill(globalFilter.arrayCollection,
"refacteur.where.ville.order.by.libacteur", ["VANNES"]);
I have tried to modify several things, but nothing works.
I would be most grateful if someone could tell me what to
change in my files in order to make the paging work.
Nathalie.

Have you seen the part of the example configs where it talks
about what is required for data paging to work?
<!--
Indicates whether data paging is enabled for the destination
and if you wish to override the
pageSize set for the channel.
Setting the custom flag to true indicates that the
associated assembler has a paged-fill method
corresponding to each method specified via the
<fill-mathod> tag. The paged-fill method
should have two additional java.lang.Integer params at the
end of the parameters specified
via the <params> tag. The first param specifes the
index in the fill collection from which this
method will start retrieving records. And the second param
specifies the number of records to be
retrieved by each paged-fill call.
Default enabled value is false. Default pageSize value is
10. Default custom value is false.
<paging enabled="true" pageSize="5" custom="true"/>
-->
It seems to imply to me that you need the paged fill methods
in your config in addition to the regular ones.
I admit I have not got as far as getting a working paging
setup yet, although this is something I will need to get working in
the near future.

Similar Messages

  • LCDS Caching and Paging

    How do we keep items in the LCDS data services cache independent between user sessions?  If I use session in the destination, I can still update an item in one users cache and have it change another users item (if the identity attribute is the same).
    Another way to look at this question is that we want to use the data management services to enable dynamic loading and paging of large sets of data.  We don't want to utilize it for data management between sessions.
    Thanks.
    tj

    Have you seen the part of the example configs where it talks
    about what is required for data paging to work?
    <!--
    Indicates whether data paging is enabled for the destination
    and if you wish to override the
    pageSize set for the channel.
    Setting the custom flag to true indicates that the
    associated assembler has a paged-fill method
    corresponding to each method specified via the
    <fill-mathod> tag. The paged-fill method
    should have two additional java.lang.Integer params at the
    end of the parameters specified
    via the <params> tag. The first param specifes the
    index in the fill collection from which this
    method will start retrieving records. And the second param
    specifies the number of records to be
    retrieved by each paged-fill call.
    Default enabled value is false. Default pageSize value is
    10. Default custom value is false.
    <paging enabled="true" pageSize="5" custom="true"/>
    -->
    It seems to imply to me that you need the paged fill methods
    in your config in addition to the regular ones.
    I admit I have not got as far as getting a working paging
    setup yet, although this is something I will need to get working in
    the near future.

  • SAP ECC6 memory and paging issues

    Dear Experts
    I have recently upgraded my 4.6C systems to an ECC 6 system (DB2 LUW 9.5 on AIX 5.3 TL9 64 Bit OS)
    I have been running the LPAR with 14 GB of memory and we are around 100-200+ users using the system, I was monitoring using nmon and found that Physical Memory was around 99.8% Used   (14311.8MB and 22.6MB was free) also the paging space was around 37.2% in result causing the system at times to run slow which can have a very negative effect on the users.
    After further investigation I found that after a system restart the Physical Memory would start around 50.9% and increased at a steady pace until it reached 99.8% that is when the system would start using the paging space which would steadily increase, I found that the only solution was a system restart at least once a week to reduce the memory consumption.
    At first glance it looked like a database manger memory leak with the process db2sysc, so I searched the net with the search words u201Cdb2 memory leaku201D and found the following APARs and notes.
    APAR JR30285 - Pervasive memory leak when compiling SQL statements that use SQL/XML functions
    APAR IZ35230 - There is a pervasive unix-specific private memory leak in the security component
    Note 1288341 - Memory leak in APPLHEAPSZ -> SQL0954C 
    Note 1352361 - Memory leak in shared memory area abrfci
    Note 1147821 - DB6: Known Errors and available Fixes in DB2 9.5 LUW
    After reading the notes and APARs I decided to updated DB2 to the latest fix pack (5SAP), but after the fix pack was implemented it did not solve the memory problem
    I started look at different problems with SAP ECC6, db2 and AIX with paging/memory problems and I found the following notes to do with AIX memory and paging but none of them helped as all parameters and settings were set accordingly  
    789477 - Large extended memory on AIX (64-bit) as of Kernel 6.20
    191801 - AIX 64-bit with very large amount of Extended Memory
    973227 - AIX Virtual Memory Management: Tuning Recommendations
    884393 - AIX saposcol consumes large amount of memory.
    856848 u2013 AIX Extended Memory Disclaiming 
    1048686 u2013 Recommended AIX settings for SAP
    1121904 u2013 SAP on AIX: Recommendations for Paging
    1086130 u2013 DB6: DB2 Standard Parameter Settings
    After even more investigation I found the following evidence suggesting AIX Virtual Memory Manager might have a problem

    Shared memories inside of pool 40
    Key:       42  Size:    17792992 (  17.0 MB) DB TTAB buffer              
    Key:       43  Size:    53606392 (  51.1 MB) DB FTAB buffer              
    Key:       44  Size:     8550392 (   8.2 MB) DB IREC buffer              
    Key:       45  Size:     7014392 (   6.7 MB) DB short nametab buffer     
    Key:       46  Size:       20480 (   0.0 MB) DB sync table               
    Key:       47  Size:    10241024 (   9.8 MB) DB CUA buffer               
    Key:       48  Size:      300000 (   0.3 MB) Number range buffer         
    Key:       49  Size:     2769392 (   2.6 MB) Spool admin (SpoolWP+DiaWP) 
    Shared memories outside of pools
    Key:        3  Size:   114048000 ( 108.8 MB) Disp. communication areas   
    Key:        4  Size:      523048 (   0.5 MB) statistic area              
    Key:        6  Size:   692224000 ( 660.2 MB) ABAP program buffer         
    Key:        7  Size:       14838 (   0.0 MB) Update task administration  
    Key:        8  Size:   134217828 ( 128.0 MB) Paging buffer               
    Key:        9  Size:   134217828 ( 128.0 MB) Roll buffer                 
    Key:       18  Size:     1835108 (   1.7 MB) Paging adminitration        
    Key:       19  Size:   119850000 ( 114.3 MB) Table-buffer                
    Key:       41  Size:    25010000 (  23.9 MB) DB statistics buffer        
    Key:       63  Size:      409600 (   0.4 MB) ICMAN shared memory         
    Key:       64  Size:     4202496 (   4.0 MB) Online Text Repository Buf. 
    Key:       65  Size:     4202496 (   4.0 MB) Export/Import Shared Memory 
    Key:     1002  Size:      400000 (   0.4 MB) Performance monitoring V01.0
    Key: 58900114  Size:        4096 (   0.0 MB) SCSA area                   
    Nr of operating system shared memory segments: 16
    Shared memory resource requirements estimated
    ================================================================
    Total Nr of shared segments required.....:         16
    System-imposed number of shared memories.:       1000
    Shared memory segment size required min..:  692224000 ( 660.2 MB)
    System-imposed maximum segment size......: 35184372088832 (33554432.0 MB)
    Swap space requirements estimated
    ================================================
    Shared memory....................: 1654.8 MB
    ..in pool 10  328.6 MB,   58% used
    ..in pool 40  143.3 MB,   30% used
    ..not in pool: 1174.1 MB
    Processes........................:  413.4 MB
    Extended Memory .................: 6144.0 MB
    Total, minimum requirement.......: 8212.2 MB
    Process local heaps, worst case..: 3814.7 MB
    Total, worst case requirement....: 21882.9 MB
    Errors detected..................:    0
    Warnings detected................:    3

  • Formation of moisture between LCD and front panel in a iMac

    Hi Guys
    I am using a 21,5" iMac for the last 18 months or so. Every monsoon (which is pretty heavy in Bombay) I face a strange problem. A few minutes after starting the mac, moisture starts accumulating between the LCD panel and the front glass which covers it. I have complained to Apple several times but there is no satisfactory reply. In fact one of their service center girls sent me this email explaining the reasons behind this problem
    Hi , Sir !
    Greetings of the day ............
    This is with regards of ongoing problem with your iMac display issue.
    I have understand it from the technician who have visited your place regarding this issue.Pls correct me ,if your imac display issue is different than belows.
     Problem Reported: u see Some fog/condensation forms in that middle or corner of the screen(behind the glass). computer, But after turning it ON a large spot is clearly visible. [Deepak J] Your understanding is Correct .After turning of the computer, The fog disappears in just about 20 or 30 minutes.[Deepak J] No its not correct that fog/condensation goes in 20 or 30 minutes rather it takes more than 8 to 10 hours to get disappear and nature of the problem is intermittent. This is an environmental issue that happens with most of the iMacs here in mumbai during monsoon.it is because of humidity/moisture in the air.mostly it happens if there is a open window right behind the iMac or imac is very close to the AC.[Deepak J] My early PC which I used for more than 5 Years was also kept in the same way / environment  in which iMac is Kept & I bought iMac for 4 times more than the Cost I purchased my Old PC.
    Since the iMac goes Glass > Space > LCD it wouldn't be totally surprising that condensation would show up there if there is a lot of humidity and the temp variations between the outside of the glass and the inside of the glass.
    The space between the glass and lcd is not air tight. The glass is just a "cover" and not affixed to the actual LCD. It's held on by some magnets but there's still air going to and from between the lcd and the section that connects to the glass. It's like when you get condensation/ie., fogged windows in a car. The temp difference the air outside the glass and the air inside the glass as well as both surface sides it's a matter of physics that a fog will appear if the conditions are optimal.
    So,only few below things can help u in this case.
     1.Keep the iMac On,as much u can.we can keep the system in sleep all the time with energy saver settings.we will help u to do the same.[Deepak J] I use PC for Max to Max 2 to 4 hours in a Week so are you suggesting that I keep the PC on for rest of 160 Hours
    2.use of de-humidifier will might help.[Deepak J] Can you please tell me what is de-humidifier ?
    3.Removing the glass panel(But not advisable.)[Deepak J] I don’t want to do that
    Trust me ,it happens only in rainy seasons where humidity level is very high in our city and there is no technical solution to fix this as imac is design that way.[Deepak J] This the First rainy season after I purchased iMac
    Hope,the above information will help u.
    Pls let me know ,if u need any more information from our side.--
    Thanks & Regards,
    Rupali Mandve
    Admin Asst.
    For
     Unicorn Infosolutions Pvt. Ltd.
    301, Kotia Nirman, New Link Road
    Andheri (W), Mumbai - 400053
    Tel: +91-22-67354000
    Mobile :- 9769276811
    [email protected]
    www.uipl.co.in 
    Its pretty obvious from this email that they have no clue on how to solve this problem. Combined with the fact that Lion has a lot of bugs, my impression is "Apple is the new Microsoft".
    whats your experience guys
    best regards
    Tejash

    Hi Shilpa
    Its not the lack of testing. I am sure moisture is a problem in many other parts of the world. More irritating are the 'suggestions' by so called apple experts.
    One solution could be to seal it from all sides. Should be a pretty standard job.
    best regards
    Tejash R Majmudar

  • 24" LCD AND 19" CRT. Any problem?

    Hi,
    My current set up is two dual 19" CRTs and the ATI 9800 256MB card.
    I want to move up to a widescreen LCD, but am aware of a couple limitations with a 24" LCD.
    These being:
    1. You have more screen real estate with two 19" than with one 24".
    2. CRT is supposedly a better image.
    So, my thinking is to move up to a 24"LCD and keep one of my 19" CRTs active as a 2nd/palette monitor. that way I get more screen real estate, and a nice CRT handy if needed.
    Can anyone tell me if I'd get eye-strain or headache or something from switching my eyes back and forth from a CRT to LCD?
    Any reason I wouldn't want a dual monitor set up where one is LCD and one is CRT?
    Thanks very much
    G5 Dual 1.8 2GB RAM   Mac OS X (10.4.8)  

    Accidental damage is not covered under the warranty - it is a limited manufacturer's warranty only, not insurance.
    If you live near an Apple Store, call the store and ask or make an appointment there to confirm if only the glass panel needs to be replaced, if the store does that, and how much.

  • Gap between lcd and digitiser

    Any one find the gap between ipad air lcd and digitiser annoying? I mean it could be better if they were one. Sometimes when tapping a little hard on th screen makes sound as if ita hollow inside.

    I never noticed it before, but yeah it has a larger gap on the right side than on the left...
    But hey, I look at the screen not at the gap. I'm happy to have an anti-glare IPS screen.
    | X220 i7-2620M | 12.5" IPS | Intel 520 Series 180GB Main SSD | Mushkin 120GB mSATA SSD | 8GB RAM | Intel 6205 WiFi | BT | Win7 Pro 64 SP1 |

  • Database Listing And Paging With Flash Builder

    Hello ;
    i trying to develop an android application with flash builder.
    i have a database and connected it, selected a table and created a service.
    my table have a four coloumn. id - img - tag - date
    id : as you know. table id coloumn auto increment.
    img : long text area. i want to listed to page when clicking the menu item.
    tag : tag is title of the img.
    date : standart date coloumn.
    i want to listing all data with menu style. i added to spinner list and it get to value at database tag (title) .
    how can i listing to text (long text area) in to the img coloumn when selected the tag (title) at spinner list. 
    thanks
    bye.

    i researched a many document but still can't find a insert data grid.
    it seems to under Components Panel all documents and videos
    but i can't see it?
    Anirudh SasikumarRangoraTodd_KoprivaJason San JoseSunilAdobeAmy_WongDatabase Listing And Paging With Flash BuilderUsing Flash BuilderFlex
    somebody help me please?
    thanks
    bye

  • Paging over phones and paging horns in CME

    Hi all!
    Cisco CME provides mechanisms for paging across phones with ephone-dn configurations, and paging across external paging systems that are connected to either FXS or FXO ports via dial-peer configurations.  I have done these numerous times.
    Recently I've been receiving requests to be able to dial a single paging extension and have the page go out across the phones and the horns/paging controller simultaneously.   Has anyone been able to do this, and would you share the info please?
    Thanks in advance,
    Kevin

    Hi,
    As per the doc that i shared "InformaCast has no special requirements for how multicast is enabled, and you should use your network vendor’s best practices and design considerations. Multicast is typically routed with Protocol Independent Multicast (PIM) that is deployed in either sparse or dense mode. InformaCast will work with either mode.
    For WAN links where your circuit provider will not route your multicast, you can configure GRE tunnels, which carry your multicast traffic from the location where the InformaCast server is located to its recipients. The only traffic that needs to traverse these GRE tunnels is the multicast traffic you might want to route. The tunnels do not need to create a full mesh between sites; they only need to be configured from the hub location to the spoke location(s). Please see the following link for details:
    http://www.cisco.com/en/US/tech/tk828/technologies_configuration_example09186a00801a5aa2.shtml
    For recipients to receive the audio portion of InformaCast broadcasts, they make requests using Internet Group Management Protocol (IGMP). While most networks default to IGMPv2, newer recipients may use IGMPv3. If newer recipients are being deployed, be sure to enable the newer protocol version on network devices."
    HTH
    Manish

  • Replaced Itouch 2nd generation LCD and now it won't charge

    Hi everyone and thank you for the warm welcome to the forum!
    I feel bad but i have to ask for help already
    I recently purchased a 2G itouch from my friend because half of the LCD didnt work and he got a new one
    I ordered the replacement LCD and it arrived and while attempting to take the front panel/digitizer off, none of the clips would pop so out of frustration i basically just pryed it open, breaking the panel/digitizer
    This wasn't an issue for me, however, because there were a few scratches on the front that I wanted to see gone anyway so no sweat
    Later, though, I continued disassembly and while unattaching the LCD ribbon, I managed to clip the home button conductor (the actual button beneath the panel button) and it came off. Nothing is wron with it except that it is no longer in place
    Through all this dismay, I managed to keep my composure because I got the new LCD installed and I plugged it into my computer and it powered up with a very crisp, beautiful display. But once again, that wasn't the end of it. After unplugging it a few times, it now wont read that it is charging, or that it is plugged in at all for that matter. I know the cable and usb port are both good because I attached a co-workers itouch and it charged just fine.
    I guess through all of this, I have 2 main questions:
    1) Can I solder the Home button conductor back onto the place where it belongs? (I can see the part on the board where it attaches)
    2) Is there any possible explaination as to why it wont charge now, other than my awesome luck may have made the dock connector happen to go bad at that very moment?
    I just wanna thank everyone in advance for the help and I know that through everyones commbined experienece and expertise, we can get this problem fixed

    - See:      
    iPod touch: Hardware troubleshooting
    - Try another cable. Some 5G iPods were shipped with Lightning cable that were either initially defective or failed after short use. Also, iOS 7 seems to make the iPod more sensitive to bad cables.
    - Try another charging source
    - Inspect the dock connector on the iPod for bent or missing contacts, foreign material, corroded contacts, broken, missing or cracked plastic.
    - Make an appointment at the Genius Bar of an Apple store.
      Apple Retail Store - Genius Bar

  • Jdbc and paging

    Hi,
    i have the following doubts regarding the jdbc and paging please clarify me...
    1)Is it advisable to use stored procedure to implement paging is records
    are more in database
    2)If the records are more in the database and we execute
    select * from table where id >10 and id<15 then will
    the query execution will be slow because the database is large(and so stored procedure will be faster)
    or as we are selecting only records between 10 and 15 so the
    query execution is not slow
    3)will the recordset help in solving the probem
    4)is there a way to select the count of the records along with the records for display in the page
    the count of the records is required to display the next button
    if two queries are to be written one to display the next button and second to get the records to
    display on the page then the system may be slow when many users are accessing and using stored
    procedures may be better
    5)when we write the select query with 'for update' clause then the row will be locked
    or the table is locked .
    6)when we write the select query with 'for update' clause then until we execute the update
    query the lock will be there and the lock will be released on executing the update query
    is that right then what about the case if after the select query we get some exception
    and code does not reach the update query then what about the lock will be lock remain
    and give problem
    regards
    Javid

    1) that would really depend on you goals. for performance only, stored procedures are precompiled so should be faster.
    2) definitely you should only select what you want and limiting the number of rows you return will speed up your query.
    3) what do you mean by that? a recordset represents the collection of rows returned from the query so should help you.
    4) it depends on your database. for instance, MySQL has a function to return the number of rows returned. however, some database has an unbuffered mode so that the first few rows will be returned very quickly without knowing how many rows are there, in which case, you won't know the number of rows until all the rows have been retrieved.
    5 and 6 are database-dependent, while most rdbms only lock the selected rows by default, some lock the entire table.
    Java 2 MVP
    http://www.brainbench.com

  • *LCD and Digitizer Parts?

    Hi all, does anyone know where i can buy quality parts to fix my iphone with. Specifically the lcd and digitizer for the iphone 4/4s. I know how to repair it and understand taking apart the phone voids the warrenty. I was just hoping someone could give me a reputable source to buy parts from. Thanks! PS. Im not taking it to Apple.

    Ryan,
    I think you mean "with all DUE respect......".  You may not need a lecture on apples (sic) warranty process, but you could sure stand to learn a little spelling and grammar.
    Just sayin.....
    Also...
    *due
    *I
    *don't
    *Apple's
    *don't
    Just sayin....

  • Difference between swap-ing and paging

    I wander what is difference between swap-ing and paging. What are pages-out and what are pages in(in transaction st06)

    HI
    The following link may also be useful.
    http://learnlinux.tsf.org.za/courses/build/internals/ch05s03.html
    Regards
    Chen

  • X200 The gap between the LCD and frame is unacceptable

    Hi, My roommate and I  received x200 last week and both of our x200 have the same problem. The gap(1 mm) between the LCD and frame is unacceptable (the left and right handside and especially the lower side of the frame) and when you touch it, it feels like a plastic toy.  I compare it with x61, x61s, T61 which belongs to my friends and they do not have that problem.
    I am not sure whether this is a serious problem or not and whether we can fix it by ourself.
    Thank you for reading and replying.

    I took some photos and I can not find how to attach them.
    Well, about this problem, Lenovo asked me to go to some business partner to look for technician and the technician said that is not a techincal problem and it is engineering problem... They can not fix it.
    And my friend told me that this is a normal problem maybe because lenovo change the material of the inside part of thinkpad.
    So, I decided to return it.

  • Replacing LCD and LCD Case

    So, my AppleCare Protection Plan won't cover the replacement of the LCD and the LCD Case, so I was going to purchase these parts online, and I wanted to know if anyone knew how hard it actually was to do this task. All help is greatly appreciated.

    It's not easy, but if you have the tools and some skills in dissassembly it can be done. Here is the instructions.
    http://www.ifixit.com/Guide/Mac/MacBook/LCD-Panel/86/18/
    You may also want to do a search for macbook repairs. There are some good companies that do the work a lot cheaper than apple.

  • Replaced LCD and Digitizer, Now it won't power up

    I just replaced the LCD and Digitizer on my 1st Gen iphone. Everything went well and I powered the phone up, prior to sealing it back to make sure it was working. I got the message that the battery was completely drained and then the screen went black. I plugged it in to run off of the power cord, and now nothing happens when I power up. I don't want to seal it back up until I get it working. Does the battery need to charge for a while? What could have happened from the time I plugged it in and powering up? Thanks

    I sent the phone out to have the battery replaced. They said that replacing the battery did not fix it.
    check out this image: http://www.hennosy.com/iphone.jpg
    The part that is red flashes when I start it up. After about 5-10 seconds the screen turns off.
    What does this mean? Any advice would be appreciated.
    Thanks.

Maybe you are looking for

  • Creation of Vendor in EBP

    HI All, I created a Vendor in transaction BP, and attached this vendor to vendor group in PPOMV_bbp and maintained attributes. But in the shopping cart i am not getting this vendor in drop down list.If i manualy put this vendor . It is throwing error

  • HT1937 FaceTime is not showing up in my new iPhone 5s?

    Hi. I have purchased a new iPhone 5s and I try to use FaceTime but the icon is not showing up. When I purchase my iphon I asked the buyer if the FaceTime is available on it and he said FaceTime work fine with it. I have try many times to use and set

  • Import RFC in java

    Hi, how to import RFC in java?

  • How do i get itunes to recognized my iphone

    how do i get my iphone 4s to recognize on itune

  • OSX Mountain Lion Preview Hijacks Adobe PDF and Adobe Photoshop

    My pdf files and all my images that I have designated to Adobe Reader  and Photoshop in the "Get Info" window of these files... continually  Default to Preview after a few days. This must stop... I never had this  issue in Snow Leopard or Lion! Yes..