Need details about Supported Device jsr184

Dear friends
i want details abt jsr 184.
Following things i know
it is used for developing 3d graphics mobile game
it is only run over the WTK2.2
which has one package .m3g
I want following details
which mobile devices(nokia or motrolo or ...) would be support the jsr184 and .m3g packages?
which image formate it will accepet(png or .m3g)?
where i get .m3g format.?
by
Gopalan
360MobileTechnologies
Chennai

Hi,
as far as i know, there�s only one possibility to create a .m3g-file and that�s not a cheap one. You have to buy,
steal, copy or whatever a plug-in called "Swerve Studio" for 3dsMAX. Build your content with 3dsMAX and
export it than as .m3g.
Hope that helps a bit
fiveten

Similar Messages

  • Need details about ECC upgrade

    Hi Gurus,
    Greetings..
    Need help on ECC upgrade
    We are currently on 4.0B system and upgrading to ECC 6.0
    Need details on the following
    1.) Can we directly upgrade from 4.0 to 6.0
    2.) What will be the system details ( like database os etc)
    Thanks in Advance
    Gopi

    Hi Gopi,
    according to SAP Product Availability Matrix you can upgrade directly from 4.0B system. Please check the link below:
    https://service.sap.com/sap/support/pam?hash=pvnr%3D01200615320900001296%26pt%3Dg%257Cr
    Please activate the check marks on the left side (pressing below link) to get an overview about supported OS/DB combination:
    https://service.sap.com/sap/support/pam?hash=pvnr%3D01200615320900001296%26pt%3Dt%257CPLTFRM%26ainstnr%3D012006153249000…
    Cheers,
    Andreas

  • Need details about "Lock Profiling" tab of JRockit JRA

    Hi,
    I'm experimenting with the JRockit JRA tool: I think this is a very useful tool ! It provides very valuable information.
    About locks ("Lock Profiling" tab), since JRockit manages locks in a very sophisticated manneer, it enables to get very important information about which monitors are used by the application, helping for improving the performances.
    Nevertheless, the BEA categories (thin/fat, uncontended/contended, recursive, after sleep) are not so clear. A short paper explaining what they mean would greatly help.
    Fat contended monitors cost the most, but maybe 10000 thin uncontended locks cost the same as 1 fat contended lock does. We don't know.
    So, there is a lack of information about the cost (absolute: in ms, or relative: 1 fat lock costs as N thin locks) of each kind of monitor. This information would dramaticaly help people searching where improvements of lock management are required in their application.
    Thanks,
    Tony

    great explanation! Thanks
    "ihse" <[email protected]> wrote in message
    news:18555807.1105611467160.JavaMail.root@jserv5...
    About thin, fat, recursive and contended locks in JRockit:
    Let's start with the easiest part: recursive locks. A recursive lock
    occurs in the following scenario:synchronized(foo) {  // first time thread takes lock
    synchronized(foo) {  // this time, the lock is taken recursively
    }The recursive lock taking may also occur in a method call several levels
    down - it doesn't matter. Recursive locks are not neccessarily any sign of
    bad programming, at least not if the recursive lock taking is done by a
    separate method.
    The good news is that recursive lock taking in JRockit is extremely fast.
    In fact, the cost to take a lock recursively is almost negligable. This is
    regardless if the lock was originally taken as a thin or a fat lock
    (explained in detail below).
    Now let's talk a bit about contention. Contention occurs whenever a thread
    tries to take a lock, and that lock is not available (that is, it is held
    by another thread). Let me be clear: contention ALWAYS costs in terms of
    performance. The exact cost depends on many factors. I'll get to some more
    details on the costs later on.
    So if performance is an issue, you should strive to avoid contention.
    Unfortunately, in many cases it is not possible to avoid contention -- if
    you're application requires several threads to access a single, shared
    resource at the same time, contention is unavoidable. Some designs are
    better than others, though. Be careful that you don't overuse
    synchronized-blocks. Minimize the code that has to be run while holding a
    highly-contended lock. Don't use a single lock to protect unrelated
    resources, if that lock proves to be easily contended.
    In principle, that is all you can do as an application developer: design
    your program to avoid contention, if possible. There are some experimental
    flags to change some of the JRockit locking behaviour, but I strongly
    discourage anyone from using these. The default values is carefully
    trimmed, and changing this is likely to result in worse, rather than
    better, performance.
    Still, I understand if you're curious to what JRockit is doing with your
    application. I'll give some more details about the locking strategies in
    JRockit.
    All objects in Java are potential locks (monitors). This potential is
    realized as an actual lock as soon as any thread enters a synchronized
    block on that object. When a lock is "born" in this way, it is a kind of
    lock that is known as a "thin lock". A thin lock has the following
    characteristics:
    * It requires no extra memory -- all information about the lock is stored
    in the object itself.
    * It is fast to take.
    * Other threads that try to take the lock cannot register themselves as
    contending.
    The most costly part of taking a thin lock is a CAS (compare-and-swap)
    operation. It's an atomic instruction, which means as far as CPU
    instructions goes, it is dead slow. Compared to other parts of locking
    (contention in general, and taking fat locks in specific), it is still
    very fast.
    For locks that are mostly uncontended, thin locks are great. There is
    little overhead compared to no locking, which is good since a lot of Java
    code (especially in the class library) use lot of synchronization.
    However, as soon as a lock becomes contended, the situation is not longer
    as obvious as to what is most efficient. If a lock is held for just a very
    short moment of time, and JRockit is running on a multi-CPU (SMP) machine,
    the best strategy is to "spin-lock". This means, that the thread that
    wants the lock continuously checks if the lock is still taken, "spinning"
    in a tight loop. This of course means some performance loss: no actual
    user code is running, and the CPU is "wasting" time that could have been
    spent on other threads. Still, if the lock is released by the other
    threads after just a few cycles in the spin loop, this method is
    preferable. This is what's meant by a "contended thin lock".
    If the lock is not going to be released very fast, using this method on
    contention would lead to bad performance. In that case, the lock is
    "inflated" to a "fat lock". A fat lock has the following characteristics:
    * It requeries a little extra memory, in terms of a separate list of
    threads wanting to acquire the lock.
    * It is relatively slow to take.
    * One (or more) threads can register as queueing for (blocking on) that
    lock.
    A thread that encounters contention on a fat lock register itself as
    blocking on that lock, and goes to sleep. This means giving up the rest of
    its time quantum given to it by the OS. While this means that the CPU will
    be used for running real user code on another thread, the extra context
    switch is still expensive, compared to spin locking. When a thread does
    this, we have a "contended fat lock".
    When the last contending thread releases a fat lock, the lock normally
    remains fat. Taking a fat lock, even without contention, is more expensive
    than taking a fat lock (but less expensive than converting a thin lock to
    a fat lock). If JRockit believes that the lock would benefit from being
    thin (basically, if the contention was pure "bad luck" and the lock
    normally is uncontended), it might "deflate" it to a thin lock again.
    A special note regarding locks: if wait/notify/notifyAll is called on a
    lock, it will automatically inflate to a fat lock. A good advice (not only
    for this reason) is therefore not to mix "actual" locking with this kind
    of notification on a single object.
    JRockit uses a complex set of heuristics to determine amongst other
    things:
    * When to spin-lock on a thin lock (and how long), and when to inflate it
    to a fat lock on contention.
    * If and when to deflate a fat lock back to a thin lock.
    * If and when to skip on the fairness on a contended fat lock to improve
    performance.
    These heuristics are dynamically adaptive, which means that they will
    automatically change to what's best suited for the actual application that
    is being run.
    Since the switch beteen thin and fat locks are done automatically by
    JRockit to the kind of lock that maximizes performance of the application,
    the relative difference in performance between thin and fat locks
    shouldn't really be of any concern to the user. It is impossible to give a
    general answer to this question anyhow, since it differs from system to
    system, depending on how many CPU:s you have, what kind of CPU:s, the
    performance on other parts of the system (memory, cache, etc) and similar
    factors. In addition to this, it is also very hard to give a good answer
    to the question even for a specific system. Especially tricky is it to
    determine with any accuracy the time spent spinning on contended thin
    locks, since JRockit loops just a few machine instuctions a few times
    before giving up, and profiling of this is likely to heavily influence the
    time, giving a skewed image of the performance.
    To summarize:
    If you're concerned about performance, and can change your program to
    avoid contention on a lock - then do so. If you can't avoid contention,
    try to keep the code needed to run contended to a minimum. JRockit will
    then do whatever is in its power to run your progam as fast as possible.
    Use the lock information provided by JRA as a hint: fat locks are likely
    to have been contended much or for a long time. Put your effort on
    minimizing contention on them.

  • Need details about Toshiba 15.4" Intel Duo Core 2 T5800

    Can anyone give me any information/review on this computer. I found it in a FuturShop store for 999.99$.
    However I can't seem to find any information about it online anywhere.
    I was told by a friend that it's a new special edition laptop or something. I need a tough computer as I do a lot of traveling and I will be using it for photos, music, videos, home financing, internet, excel, word, etc. Some games but not a main concern.
    Any info on the webcam, DVD burning capabilities, and expandibility would be appreciated.
    Below are some of the specs. I'm not too knowledgeable on computers so I hope I've given enough relevant info. Thanks in advance.
    4GB DDR2
    320GB Hard Drive
    HELP

    Well buddy, the most information and details about all actual Toshiba notebooks can be found on the Toshiba European page.
    http://eu.computers.toshiba-europe.com
    Here you should search in Laptops area

  • Need details about messageName

    I am using the following code to display a confirm message, once a new record inserted. This a program from the Tool Box tutorial.
    MessageToken[] tokens = { new MessageToken("EMP_NAME", employeeName),
    new MessageToken("EMP_NUMBER", employeeNum) };
    OAException confirmMessage = new OAException("AK", "FWK_TBX_T_EMP_CREATE_CONFIRM", tokens,
    OAException.CONFIRMATION, null);
    pageContext.putDialogMessage(confirmMessage);
    This is working fine. But I could not understand what are these values "AK" and "FWK_TBX_T_EMP_CREATE_CONFIRM". Do we need to configure these any where in the code?
    Please give me the details about this?

    Please see
    <JDEV_CLIENT_INSTALL_DIR>/jdevdoc/javadoc/fwk/oracle/apps/fnd/framework/OAException.html#OAException(java.lang.String, java.lang.String, oracle.apps.fnd.common.MessageToken[], byte, java.lang.Exception[])
    The arguments are "Application Short Name", "Message Name".
    You would need to define the message in FND Message Dictionary.

  • Student need details about Business One prices.

    Hi
    I'm a german student and i have to do a project about SAP Business One. It's necessary for me to get more informations about the prices for this ERP software. I've searched the I-net for many days but couldn't find any helpfull informations.
    I need detail informations about asset costs, follow-up costs, license fees, costs for training the employers to handle the software and maintenance costs. If anybody can help me about that i will be very glad.
    greetings, daniel

    Well, first thing is the pricing is dependant on the country or at least the region you are buying B1 from. For example in Europe you could buy a SAP B1 license for 2500 euros when in Australia you can buy it for AUD2500 (FX rate 0.62).
    The price is based on the market, the performance, the index of investment etc.
    You also have to differenciate in your analysis the cost of licenses and the cost of implementing. Some partners are using a rule of thumb saying that the cost of implementation is roughly the cost of one license. I tend not to agree with it but that's a base I guess.
    Regards,

  • Needed info about io devices and cpu without using prtdiag

    Hi
    I need to collect info about io devices and cpu. but i cannot use prtdiag.
    is there any way to collect this information on solaris machine....
    may any available c APIs
    Thanks in advance.
    Nagesh

    yep.... prtconf -vp | grep <wot u r looking 4>

  • Need details about soap

    I am new ot soap technology . I am using apache axis soap .. Any body can give details about how to use the soap in the application .. For example I want to display the foot ball score in my website then in Germany they alreay provide the soap service then we request the service then get the score and then display that in website . my doubt is without knowing any thing first how to request the soap service provide in the Germany for Foot ball score and any body please give some sample codes and documentation

    Thank you for the request.
    Your Toshiba Virtual Store account 32651 has been reset.

  • Need details about Statistics - Internals

    Hi,
    I am aware of Statistics and how it helps CBO. I would like to know more about internals of Statistics, I know Oracle
    maintains certain details in the below views, also in Columns and Partitions Metadata views.
    DBA_TABLES
    DBA_TAB_STATISTICS
    DBA_INDEXES
    DBA_IND_STATISTICS
    I know it maintains NUM_ROWS and LAST_ANALYZED details in DBA_TABLES and DBA_INDEXES.
    Please provide details about the data being maintained in other views.
    I'm aware of Histograms, it maintains actual details about Data Distribution. I would like to know how the Normal Statistics differs from Histograms,
    it uses the same parameter method_opt with different values.

    845956 wrote:
    I know it maintains NUM_ROWS and LAST_ANALYZED details in DBA_TABLES and DBA_INDEXES.
    It actually maintains much more than just the NUM_ROWS and others you specified.
    DBA_TABLES
    DBA_TAB_STATISTICS
    DBA_INDEXES
    DBA_IND_STATISTICS
    Regards,
    P.

  • Need details about my account 32651

    PLEASE SEND ME DETAILS ABOUT MY E-MAIL AND PASSWORD.
    I HAVE LOST THEM. TKS.

    Thank you for the request.
    Your Toshiba Virtual Store account 32651 has been reset.

  • Do I need a DLNA supported device in order to connect my SMART TV to the 5 Ghz network?

    I use a Time Capsuel to create a network. Then, I use Plex media server on a PC and stream video from the TC harddrive to the plex app in the TV. Previously, from time to time, it has been slow, but most of the time it worked (1080p). My knowledge of network & stuff like this is limited...
    The problem:
    My Smart TV (Samsung ue46es6715) does not connect to the network's 5 Ghz band any more. It connects to the 2,4 Ghz sometimes. It does not find the 5Ghz network anymore.
    Info from Samsung Support:
    According to samsung support, I need a DLNA certified router. They say it is a compability problem without the DLNA support. So, samsung suppport claim this is the reason why I cannot connect to the 5 Ghz network - the TC does not support DLNA.
    Questions:
    First of all; Is the samsung support team correct?
    2) Shouldn't I be able to connect to the 5 Ghz band in any case?
    3 IF the Time Capsuel IS DLNA certified I can view, and stream data, direct from the TC harddrive
    4 As the Time Capsule is not DLNA cerified, I need Plex working on a computer in order to stream data from the TC harddrive?
    5 Even de fact that the TC does not support DLNA, I should still be able to at least connect the the 5 Ghz band?
    Enlighten me please

    The TC does not support any media servers.. it is not and never has been a media device. It is as minimal as it can be and offers SMB to windows and AFP to Mac.. and that is the sum total of connections.
    DLNA can be supplied to the TV by Plex running on the PC but I am unsure of the setup. You will need to look it up and specifically the issue with samsung TV. Apple of course will never support it.. Apple use iTunes. 
    http://forums.plexapp.com/index.php/topic/68615-plex-not-browsing-folder-with-co ntent-via-dlna-samsung-tv/
    http://forums.plexapp.com/index.php/forum/113-dlna/
    Connection to 5ghz depends on setting up the connection in the TC correctly.. you have to realise you are not infact seeing the material on the TC.. you are only networking through the TC. The material is offered to your TV from the PC which is also connected to the TC and I guess using the TC as a filestore.. this is bad btw.. because then all files are streamed from TC--PC--TC---TV, You should use an external drive on the computer.. and share that with the network. Then it goes PC--TC--TV and you stop the double haul out and back to the TC. This is especially important if the PC is connected by wireless. That will reduce speed to a crawl.
    5ghz is also poor range.. if the TC is far from the TV do not expect good connection or perhaps any connection.. try it close up to the TC.
    Set the 5ghz to SMB standard name.. ie.. short.. 2-20 characters, No spaces and pure alphanumeric. Name should be different to the 2.4ghz name so you can choose it deliberately.
    The TC name should also meet SMB standard.

  • Tecra A50 PT634E - Need details about the SATA controller

    Hi
    I'm looking for detailed specification of Toshiba Tecra A50 (PT634E-00800JPL).
    I need to know what is the version of internal SATA port.
    Is this SATA II or SATA III ?
    I want to change the hard disk to SSD and buy the most suitable one.

    Install freeware hardware diagnostic software like for example SANDRA Sisoft, Everest Home Edit or HWiNFO32.
    Such tools provide you all essential information about the built in parts and the HDD controller.
    Please post some feedback would be interesting to know what SATA controller details would be reported by such tool.

  • Need Detail about DataInputStream()

    Hi,
    While I try to get an input using DataInputStream() and print the same using DataOutputStream(), I get the different value. I read that these methods uses Unicode format to handle the data, I need more explanation. I gave 23 as input but it prints 50 as output what makes this differences .

    From the DataInputStream API documentation:
    "A data input stream lets an application read primitive Java data types
    from an underlying input stream in a machine-independent way. An
    application uses a data output stream to write data that can later be
    read by a data input stream."
    Read the second sentence again.
    First write your data to a data output stream, then (and only then)
    use a DataInputStream to read it.
    If you search about these forums you will find detailed explanations
    of what happens when you wrap System.in in this strange way. But,
    really, this is not what a DataInputStream is for.
    Check out http://forum.java.sun.com/thread.jspa?threadID=695548

  • Need details about Satellite S35DVD and memory upgrade

    I've got a used Toshiba Satellite S35DVD Notebook from a friend.
    Unfortunately I have no infromation about this notebook and there's also no information on the web available.
    The Toshiba Support sites also don't knwo this kind of notebook.
    Anybody out there who can give me some information, links for w2k drivers, tech specs, ...
    Most interesting for me is the max supported ram size for upgrade.
    tia

    Are you sure that this is a Satellite S35DVD?
    Check the labels at the bottom of the unit. There should be a model number or series number. This would be interesting

  • Need Details about "Morpheus"

    Hi All,
    can any one please let me know about "Morpheus" . this is the first time I heard this application name.
    so please send me the read -me docs for this.
    Thank you

    can any one please let me know about "Morpheus" It's excellent, highly recommended, though Uridium was better.
    so please send me the read -me docs for this.[Here you go|http://project64.c64.org/games/m-z/Morpheus.zip], but you shouldn't need them, just plug the joystick in and start blasting.

Maybe you are looking for

  • Arial Black does not dispaly in FireFox???

    I have specified Arial Black in a CSS class. It displays in Chrome and IE but not in Firefox. Any reason for this? Is there a an extra bold font that I can use instead that FF will recognize? Thanks.

  • Error when using MySQL view that has name greater than 30 characters

    Hi, am loading MySQL data to an Oracle table using an ODI 11g Interface. The interface errors when the name of the MySQL view exceeds 30 characters. A "view not found" error is encountered. Is there any work around when using source datastores (MySQL

  • Illustrator CS5 won't save pie chart

    I created a pie chart in Illustrator 5 using a much-loved Veerle tutorial ... drew a square, entered my data, created pie, applied gradient colors and a 1 pt white stroke between the pieces. Hit save, and got this message: "Can't save the file." That

  • PUSH Button In OOPS ALV

    Hi Freinds , I'm Working on OOPS ALV And i want to know how to add a seprate colomn for push button in ALV means i know how to make all cells of a coloumn as push button but now i want to add a separate coloumn for push button in that oops alv so can

  • IWeb blog entry with an earlier date than today?

    Is there a way to create an entry in iWeb that has a date before today's date? Say I want to create an entry of something that happened five days ago... When I create an entry, it automatically sets the date to today. Is there any way to change the d