Some basic PL/SQL quesions

Hi,
I am new to Oracle world and I need some helps:
I need to run a lengthly ctx_ddl.sync_index procedure in our 10g R2 production environment, and I want to start the procedure at night and kill the session early in the morning next day.
I am having trouble in writing the PL/SQL procedure to kill the session that is running the sync index:
Here is my try:
CREATE OR REPLACE PROCEDURE KILL_SESSION
AS
MYSID INTEGER; //SID OF THE SESSION CALLING THIS PROCEDURE
KILLSID INTEGER; //SID OF THE SESSION THAT IS RUNNING THE SYNC INDEX
KILLSERIAL INTEGER; //SERIAL# OF THE SESSION THAT IS RUNNING THE SYNC INDEX
BEGIN
SELECT DISTINCT(SID) INTO MYSID FROM MY V$MYSTAT;
^ ^^^ V$MYSTAT COMPILATION ERROR - NO SUCH TABLE OR VIEW
SELECT SID INTO KILLSID, SERIAL# INTO KILLSERIAL FROM V$SESSION WHERE SID NOT IN (MYSID) AND OSUSER='SYS_ADMINISTRATOR';
^ ^^^ V$SESSION COMPILATION ERROR - NO SUCH TABLE OR VIEW
ALTER SYSTEM KILL SESSION 'KILLSID, KILLSERIAL';
^^^^^^^ CAN I USE VARIABLE NAME INSIDE A SINGLE QUOTE??????
END KILL_SESSION;
Any help is appreciated !

Hi,
Welcome to the forum!
When you post code on this site, make sure it is formatted, and type these 6 characters
{code}
(small letters only, inside curly brackets) before and after formatted text, to preserve spacing.
When you post error messages, cut and paste the entire message. Somethimes, the message number and the line/cloumn number are helpful.
Vg is right: there's something fundamentally flawed with a job that you have to kill.
Can you sub-divide the job, and do a different part each night?
A KILL procedure is handy in any case. As Vg said, you (the procedure owner) have to have privileges granted directly to you. Roles don't count inside stored procedures, so merely having a role that lets you query the data dictionary views is not enough.
Also, you may need privileges granted on the actual V_$ views, rather than the V$ synonyms. (That is, V$MYSTAT, without an underscore, is just a public synonym for the view SYS.V_$MYSTAT, with an underscore in its name. You want to GRANT SELECT ON V_$MYSTAT to proc_owner;)

Similar Messages

  • Some basic(perhaps) SQL help please

    TABLE: LOGOS
    ID           VARCHAR2(40) PRIMARY KEY
    TITLE        VARCHAR2(100)
    FILE_NAME    VARCHAR2(100)
    RESOLUTION   NUMBER(3)
    FILE_TYPE    VARCHAR2(5)
    DATA:
    ID       TITLE   FILE_NAME            RESOLUTION   FILE_TYPE
    1001     pic1    horizon_main.jpg     72           jpg
    1002     pic1    chief_diary.jpg      300          jpg
    1003     pic2    no_image.jpg         300          eps
    1004     pic3    publications.jpg     72           jpg
    1005     pic3    chase_car.jpg        300          jpg
    1006     pic4    top_img.jpg          72           jpg
    RESULT SET:
    ID       TITLE   FILE_NAME            RESOLUTION   FILE_TYPE   ID       TITLE   FILE_NAME            RESOLUTION   FILE_TYPE
    1001     pic1    horizon_main.jpg     72           jpg         1002     pic1    chief_diary.jpg      300          jpg
    1003     pic2    no_image.jpg         300          eps
    1004     pic3    publications.jpg     72           jpg         1005     pic3    chase_car.jpg        300          jpg
    1006     pic4    top_img.jpg          72           jpgHopefully you can see what I am trying to do here. Basically where there are multiple rows for a particular TITLE (e.g. "pic1") then they should be returned side by side. The problem I am having is duplicity, i.e. I get 2 rows for "pic1" like this:
    ID       TITLE   FILE_NAME            RESOLUTION   FILE_TYPE   ID       TITLE   FILE_NAME            RESOLUTION   FILE_TYPE
    1001     pic1    horizon_main.jpg     72           jpg         1002     pic1    chief_diary.jpg      300          jpg
    1002     pic1    chief_diary.jpg      300          jpg         1001     pic1    horizon_main.jpg     72           jpgIt looks like it should be simple by my SQL brain isn't back in gear after the festive period.

    Maybe a slight modification, to remove the juxtaposed value from being displayed again:
    test@ORA92>
    test@ORA92> select * from logos;
    ID         TITLE      FILE_NAME            RESOLUTION FILE_
    WU513      pic1       horizon_main.jpg             72 jpg
    AV367      pic1       chief_diary.jpg             300 jpg
    BX615      pic2       no_image.jpg                300 eps
    QI442      pic3       publications.jpg             72 jpg
    FS991      pic3       chase_car.jpg               300 jpg
    KA921      pic4       top_img.jpg                  72 jpg
    6 rows selected.
    test@ORA92>
    test@ORA92> SELECT a.ID AS aid, a.title AS attl, a.file_name AS afn, a.resolution AS ares,
      2         a.file_type aft, b.ID AS bid, b.title AS bttl, b.file_name AS bfn,
      3         b.resolution AS bres, b.file_type bft
      4    FROM logos a, logos b
      5   WHERE a.title = b.title(+) AND a.ROWID < b.ROWID(+)
      6  /
    AID        ATTL       AFN                        ARES AFT   BID        BTTL       BFN                     BRES BFT
    WU513      pic1       horizon_main.jpg             72 jpg   AV367      pic1       chief_diary.jpg          300 jpg
    AV367 pic1 chief_diary.jpg 300 jpg
    BX615      pic2       no_image.jpg                300 eps
    QI442      pic3       publications.jpg             72 jpg   FS991      pic3       chase_car.jpg            300 jpg
    FS991 pic3 chase_car.jpg 300 jpg
    KA921      pic4       top_img.jpg                  72 jpg
    6 rows selected.
    test@ORA92>
    test@ORA92>
    test@ORA92> SELECT aid, attl, afn, ares, aft, bid, bttl, bfn, bres, bft
      2    FROM (SELECT a.ID AS aid, a.title AS attl, a.file_name AS afn,
      3                 a.resolution AS ares, a.file_type aft, b.ID AS bid,
      4                 b.title AS bttl, b.file_name AS bfn, b.resolution AS bres,
      5                 b.file_type bft, LAG (b.ID) OVER (ORDER BY 1) AS prev_id
      6            FROM logos a, logos b
      7           WHERE a.title = b.title(+) AND a.ROWID < b.ROWID(+))
      8   WHERE (prev_id IS NULL OR prev_id <> aid)
      9  /
    AID        ATTL       AFN                        ARES AFT   BID        BTTL       BFN                     BRES BFT
    WU513      pic1       horizon_main.jpg             72 jpg   AV367      pic1       chief_diary.jpg          300 jpg
    BX615      pic2       no_image.jpg                300 eps
    QI442      pic3       publications.jpg             72 jpg   FS991      pic3       chase_car.jpg            300 jpg
    KA921      pic4       top_img.jpg                  72 jpg
    test@ORA92>
    test@ORA92>cheers,
    pratz

  • Need Help With Basics of SQL

    Hey I'm trying to get a working understanding of some of the basics behind SQL, I've composed a few questions that I think may help me with this. Anyone that can help me with any of them will greatly help me thanks.
    1. How to create synonym for tables?
    2. How to describe the structure of tables?
    3. How to list the contents of tables?
    4. How to create a table named with the same structure as another table?
    5. How to copy rows with less than a certain criteria in value (e.g. Price<$5.00) into another table?
    6. How to change the data type to e.g. NUMBER(6)?
    7. How to add a new column named with data type e.g. VARCHAR2(10)?
    8. How to change a specific field within a table (e.g. For ORDER_NUMBER 12489, change the C_NUMBER to 315)?
    9. How to delete a specific row from a table?
    10. How to declare a column as the primary key of a table and call it e.g. PK_something?
    11. How to show certain columns when another column is less than a certain criteria in value (e.g. Price<$5.00)?
    12. How to show certain columns with another column having a certain item class e.g. HW or AP?
    13. How to list certain columns when another column e.g. price is between two values?
    14. How to list certain columns when another column e.g. price is negative?
    15. How to use the IN operator to find certain columns (e.g. first and last name of customers who are serviced by a certain ID)
    16. How to find certain columns when one of the columns begins with a particular letter (e.g. A)
    18. How to list the contents of the a table sorted in ascending order of item class and, within each item class, sorted in descending order of e.g. price?
    19. How to do a count of column in a table?
    20. How to sum a column and make rename is something?
    21. How to do a count of a column in a table (without repeats e.g. if a certain number repeats more than once than to only count it once)?
    22. How to use a subquery to find certain fields in columns when the another column’s fields values are greater than e.g. its average price?

    848290 wrote:
    Hey I'm trying to get a working understanding of some of the basics behind SQL, I've composed a few questions that I think may help me with this. Anyone that can help me with any of them will greatly help me thanks.To use the terminology you have in those questions, you must already have a basic understanding of SQL, so you have exposed yourself as not being the author of such questions.
    Please do not ask homework questions without having at least attempted to answer them yourself first and show where you're struggling.

  • Some basic questions on HANA

    Hi All,
    I have some basic questions on SAP HANA,
    I heard from one of my colligues that it is mandatory to learn SQL scripts for HANA, is it true?
    Or basic knowledge is enough for HANA???
    Is it added advantage while working on HANA or can we manage with basic knowledge of SQL???
    I tried to find answers for these questions in SCN, but I could not get proper answers, So could you please provide answers for above my questions.
    Thanks in advance,
    Venkat Kalla

    Hi Vladmir,
    SAP HANA is a platform and is more than just database. Which can serve both OLTP and OLAP.
    But since it is a database, Sp SQL skills helps you while modelling in SAP HANA. So When will it be helpful ? It is while addressing some complex requirements using SAP HANA.
    At the end of the day, when you want to work in HANA ( a super duper database ) and you still thinking of whether to learn SQL or not?
    Regards,
    Krishna Tangudu

  • Need answers for some basic question

    The Informatica server software usually runs on some server machine.The client tools usually run on those Windows PC with which developers to their work. That's a pretty much standard client/server architecture.On Windows servers you will often (not always) find the client tools as well, but that's by no means mandatory.Communication between PowerCenter clients and PowerCenter server usually takes place via TCP/IP; the protocol, as far as I know, has been developed by Informatica in-house app. in 1993-1995. The installation of the server software usually is the task of some server administration team. You will also need some DBA team because the Informatica software (almost) always stores its controlling, scheduling, and runtime information in some relational database system. Importing of relational structures (meaning table and view structures) usually is done on a client PC which connects to the respective source and/or target DBMS via ODBC.The server uses either native database client installations (for Oracle, IBM DB2, Microsoft SQL Server, and Sybase) or ODBC to communicate with the source / target databases. Best thing is that you download the documentation and start browsing the Installation and Configuration Guide; this PDF file explains quite a few concepts fairly well. Regards,Nico

    Hi, 1) a server installation is a server installation and nothing else. It also contains some clients (namely the command-line client tools), but definitely not the GUI clients (this is an extra installation always to be done on a Windows PC as of this time).2) That depends on your business processes. Sometimes files will be placed in some directory (e.g. /opt/transfer/inp) and then the respective workflow shall start, so it might read this file directly. If some business user can only deliver via email, then you will need an extra process which extracts the file(s) from the email and places them somewhere where the server processes can access them.3) Unix is a computer operating system. Windows is a computer operating system. They are just in use in different cases (at least often). Some basic Unix knowledge (about the most common system tools and a bit of shell scripting) is definitely useful / necessary if you want to work with Unix systems.4) A data warehouse stores information which usually is needed for enterprise-wide strategic business decisions. A server is a machine offering software services. One kind of servers are database servers, and data warehouses usually (not always) are stored in a databases. So some sort of server is the technical basis for a data warehouse.5) Usually these two terms are identical in meaning.6) Unix is an operating system. A shell is a program which enables you to interact with a Unix system. Shell scripting means that you automate moderately complex or highly complex tasks using a programming language which is provided by the shell. Different shells offer different scripting facilities and features. Writing a shell script is a matter of programming. Your questions are by no means stupid. They just show that you still have a lot to learn, but that's ok, we all should try to learn more as long as we live. Regards,Nico

  • Storage rules for an editing rig. Some basics.

    How do you set up your editing machine in terms of disks for maximum performance and reliability? (SSD's are left out here.)
    This is a question that often arises and all too often one sees that initial settings are really suboptimal. These rules are intended to help you decide how to setup your disks to get the best response times. Of course the only disks in an editing machine must be 7200 RPM types or faster. No GREEN disks at all.
    Rule 1: NEVER partition a disk. You may ask why? First of all, it does not increase disk space, it just allocates the space differently. However, the major drawback is that for a partitioned disk the OS must first access a partition table at the beginning of the disk for all accesses to the disk, thus requiring the heads to move to the beginning of the disk, then when it has gotten the partition info move to the designated area on the disk and perform the requested action. This means much more wear-and-tear on the mechanics of the disk, slower speeds and more overhead for the OS, all reducing efficiency.
    Rule 2: Avoid using USB drives, since they are the slowest on the market. Do not be tricked by the alleged bandwidth of USB 2.0 advertisements, because is just is not true and remember that the alleged bandwidth is shared by all USB devices, so if you have a USB mouse, keyboard, printer, card reader or whatever, they all share the bandwidth. Stick to SCSI or SATA disks or e-SATA. If needed, you can use Firewire-800 or even Firewire-400 disks, but they are really more suited for backups than for editing.
    Rule 3: Use at least 3 different physical disks on an editing machine, one for OS/programs, one for media and one for pagefile/scratch/renders. Even on a notebook with one internal drive it is easy to accomplish this by using a dual e-SATA to Express card connector. That gives you an additional two e-SATA connections for external disks.
    Rule 4: Spread disk access across as many disks as you have. If you have OS & programs on disk C:, set your pagefile on another disk. Also set your pagefile to a fixed size, preferably somewhere around 1.5 times your physical memory.
    Rule 5: Turn off index search and compression. Both will cause severe performance hits if you leave them on.
    Rule 6: If the fill rate on any of your SATA disks goes over 60-70% it is time to get a larger or an additional disk.
    Rule 7: Perform regular defrags on all of your disks. For instance, you can schedule this daily during your lunch break.
    Rule 8: Keep your disks cool by using adequate airflow by means of additional fans if needed. You can use SMART to monitor disk temperatures, which should be under 35 degrees C at all times and normally hover around 20-24 C, at least in a properly cooled system.
    Rule 9: If people want raid, the cheapest way is to use the on-board IHCR or Marvell chip, but it places a relatively high burden on the CPU. The best way is a hardware controller card, preferably based on the IOP348 chip. Areca ARC and ADAPTEC come to mind. 3Ware uses it's own chipset and though not bad, they are not in the same league as the other two. Promise and the like in the budget range are no good and a complete waste of money. Expect to spend around $ 800 plus for a good controller with 12 connectors internally and 4 e-SATA connectors. Important to consider in a purchasing decision is whether the on-board cache memory can be expanded from the regular 256/512 MB to 2 or even 4 GB. Be aware that 2 GB cache can be relatively cheap, but the 4 GB version extremely costly ($ 30 versus $ 300). For safety reasons it is advisable to include a battery backup module (BBM).
    Rule 10: If you can easily replace the data in case of disk failure (like rendered files), go ahead and use raid0, but if you want any protection against data loss, use raid 3/5/6/10/30/50. For further protection you can use hot spares, diminishing downtime and performance degradation.
    In general when you get a new disk, pay close attention to any rattling noise, do perform regular disk checks, and in case of doubt about reliability, exchange the disk under guarantee. Often a new disk will fail in the first three months. If they survive that period, most of the disks will survive for the next couple of years. If you use a lot of internal disks like I do (17), set staggered spin-up to around 1 second to lessen the burden on the PSU and improve stability.
    Hope this helps to answer some basic questions. If not, let me know. Further enhancements and suggestions are welcome.

    ...well, it is a northern D - they call us often "Fischköpfe" because we love to eat fish here in Hamburg!
    I just have summarized a bit the storage configuration I am thinking of
    RAID Type
    Objective
    System requirements
    RAID level
    Offline Storage
    store a whole video project (1h of 4k material requires about 128 GB)
    needs to be highly reliable (redundancy is a must);
    doesn't need to be extremely fast;
    discs can be cheap because they don't have a high burden (just upload & download) to the video RAID.
    10
    Video RAID
    store material for a day work
    fast and reliable
    10
    Installation RAID
    just to install Windows XP with CS4 Master Collection
    redundant but speed isn't critical here
    1
    Working RAID
    for page-file/scratch/renders
    as fast as possible
    disc failure isn't a big problem
    0
    In order to realize this, I am thinking of the following configuration
    RAID Type
    number of discs
    Type
    GB/disc
    tot. storage [GB]
    usable storage [GB]
    cost [€]
    Offline Storage
    8
    SATA
    1500
    6000
    4800
    900
    Video RAID
    6
    SCSI/SAS
    300
    900
    720
    2100
    Installation RAID
    2
    SCSI/SAS
    36
    36
    30
    200
    Working RAID
    4
    SCSI/SAS
    147
    580
    470
    1000
    Here are my assumptions and constraints:
    I only have 6 bays for the Installation - and working RAID;
    For the video RAID I also would like to reuse an enclosure, which just has 6 bays;
    I would need to buy a NAS enclosure - so here I am open minded and just assumed 8 bays;
    the usable storrage I estimated as 80% of the total storage;
    discs, which are used heavily should be SCSI or SAS - I am thinking of the Cheetah 15K
    Looking into the cost associated, I hit 4000€ easily just for discs. Ok, I can reuse some discs and enclosures, which I have here - but since I need to purchase the NAS enclosure (with 8 bays), which will also cost 1000€ additional,  I will use 25% of my foreseen budget for storage.

  • Missing some basic functionality

    I seem to be missing some basic functionality, like switching to tty1-n using Ctrl+Alt+F1-n.  I can't begin to guess what this is related to, as after several installs I've never experienced that to be missing.  Can anyone point me in the right directions?  Thanks.

    evr wrote:I was recently having problems with commands like because i was using "thinkpad" as the input.xkb.layout value in /etc/hal/fdi/policy/10-keymap.fdi.  Changing to "us" helped me, perhaps that's the issue?
    Hm.  I don't actually have that file in the policy directory.

  • Hi, I would like to know if is it possible to install windows on mac pro , because I need to have some application like SQL server and visual studio, and they could not be install on mac

    hi, I would like to know if is it possible to install windows on macbook pro , because I need to have some application like SQL server and visual studio, and they could not be install on mac

    Windows on a Mac

  • Some basic questions on File Adapter

    Hello all,
    I have some basic questions on XI and File Adapter and hope you can help me. Any answer is appreciated.
    1. Can I use NFS transport protocol to poll a file from a machine in the network, which is not the XI? Or do I have to use FTP instead?
    2. If I understand it correctly - when using the FTP-File Adapter, XI has the role of a ftp client. I have to run a ftp server on my distant machine. XI connects to FTP-Server and polls the file.
    Can it also be configured the other way round? The scenario I think of would be: FTP client installed on distant machine, which connects to FTP-Server(XI) and loads up a file. So XI would act as FTP Server.
    I know this works, if I install a ftp Server on the computer my XI runs on, and use the NFS-File Adapter to observe the folder. But I want to know, if I need a second, independant ftp server for this.
    3. And last but not least: When do I need the active ftp mode instead of passive?
    Thanx a lot for your answers!
    Ilona

    > Hello all,
    > I have some basic questions on XI and File Adapter
    > and hope you can help me. Any answer is appreciated.
    >
    >
    > 1. Can I use NFS transport protocol to poll a file
    > from a machine in the network, which is not the XI?
    <b>yes</b>
    > Or do I have to use FTP instead?
    >
    <b>also you can do it</b>
    > 2. If I understand it correctly - when using the
    > FTP-File Adapter, XI has the role of a ftp client. I
    > have to run a ftp server on my distant machine. XI
    > connects to FTP-Server and polls the file.
    > Can it also be configured the other way round? The
    > scenario I think of would be: FTP client installed on
    > distant machine, which connects to FTP-Server(XI) and
    > loads up a file. So XI would act as FTP Server.
    > I know this works, if I install a ftp Server on the
    > computer my XI runs on, and use the NFS-File Adapter
    > to observe the folder. But I want to know, if I need
    > a second, independant ftp server for this.
    >
    <b>XI cannot act as FTP server, but it is always a client. When XI is reading (File sender adpater) when XIis writing than it is File Receiver adapter</b>
    > 3. And last but not least: When do I need the active
    > ftp mode instead of passive?
    >
    <b>It depends on your firewall configuration. The best and the fastests is active mode but not always available.</b>
    > Thanx a lot for your answers!
    > Ilona

  • C2-03 Lacking Some basic options

    I have just buy C2-03 and disappointed with some basic options, kindly resolve them in next software update-
    1- No option to Type message without opening slide keypad- please add onscreen keypad
    2- No option to remove keypad lock during call inprogress and also no option to set keypad lock time.
    3- No option to Mark messages to delete or move- please add mark option.
    4- No way to decrease brigtness of phone.
    5- No option to set different Ring tones for both SIM cards.
    Please make these option available through new software update, besides these weekness the phone is excellent.
    Regards-
    Jagdeep Bhatt
    jagdeep Bhatt
    India,

    Hi,
    I think this is same with the link below.
    http://discussions.europe.nokia.com/t5/Cseries/Nokia-C2-03-Lacking-Some-basic-options/m-p/1132449/hi...
    Br
    Mahayv

  • Some basic queries on OAF

    Hi All,
    I have some basic queries in OAF...
    1. What are the procedures to delete the Extensions?
    2. After extending a VO, why we have to upload .jpx file and if we don't upload what will happen?
    3. Can we use EO without altering the table to add WHO columns?
    4. Why we have to develpe the OAF pages in webui and VOs in server folders only? is there any specific reason?
    5. Are there any other methods to call the methods in AM apart from using am.invoke("<method name>") from CO?
    Please give me the answers for these queries.....
    Thanks in advance..
    Srinivas

    1. What are the procedures to delete the Extensions?
    Go to "functional administrator" responsibility. Under personalization Tab click on Import/export. Search for your document and delete the customization.*
    2. After extending a VO, why we have to upload .jpx file and if we don't upload what will happen?
    You need to upload the jpx file because in your jpx file you have Substitute tag which substitute OLD VO with new VO and at runtime framework will check if there is any substitution available then It will substitute the old VO with the new one.*
    3. Can we use EO without altering the table to add WHO columns?
    I think no because when you perform DML operations on EO then framework tries to update the WHO columns and if WHO columns are not present you would get an error message*
    4. Why we have to develpe the OAF pages in webui and VOs in server folders only? is there any specific reason?
    There is no specific reason for this we can create our PG files in server folders as well and it would work fine. This is just a standard given by Oracle.*
    5. Are there any other methods to call the methods in AM apart from using am.invoke("<method name>") from CO?
    You should only use am.invoke .*
    -- Arvind

  • I'm new to using dbms_scheduler. I'm trying out some basic stuff to see how it works

    I have not used the dbms_scheduler package before and trying out some basic functionality to see and understand how it works. The below code is what I have writtern
    BEGIN
    DBMS_SCHEDULER.create_job(
    job_name => 'Test_Job3',
    job_type =>  'PLSQL_BLOCK',
    job_action => 'BEGIN pr; END;',
    start_date => systimestamp,
    repeat_interval => 'freq=secondly;bysecond=4;',
    end_date => null,
    enabled => true,
    comments => 'This job is test for dbms_scheduler'
    END;
    create procedure pr
    is
    begin
    DBMS_OUTPUT.PUT_LINE('Inside the pr procedure called using scheduler');
    end;
    According to my understanding it should print the line inside the procedure 'pr' every 4 seconds, but I don't see any output being shown. Can someone help me understand what exaclty is wrong with my code. I'm using Toad for oracle.

    One more question - I'm trying to bring in one more functionality. Lets says - There is a job that needs to be executed every month at a particular time. I schedule it, but I want this job to be executed 'n' number of times.
    For example - There is procedure that is called in the scheduler. Since its processes lot of records - I'm breaking down in chunks of data - Say 5 chunks. Now when its scheduled each month at a particular time - it should ideally execute 5 times in order to complete the job for that month. How can this be achieved ? I thought of using max_runs, but that might end the job and never repeat it again.

  • Is the i7 13" Macbook Air capable of playing some basic games?

    I'm looking into possibly grabbing a 13" Macbook Air with the i7 1.7Ghz processort and was wondering if it's capable of playing some basic games that are out in the Mac App Store such as Angry Birds, N.O.V.A. 2, or even Grand Theft Auto: San Andreas? Also I tend to use Vuze and sometimes Handbrake, would the high end 13" Macbbok Air be capable of doing all this for me?

    Capable? Yes indeed it is. However, if the game or application is CPU or GPU intensive, then you can expect longer waits for completion of tasks. It's not so much noticeable on rudimentary games, but it really has an effect on detailed fluid motion in games that rely on such.
    Handbrake tasks will just take longer to complete, it won't stop it.
    I use my MBA's for medium intensity gaming without any complaints. But really, you should refer to the system requirements on each, on a case by case basis.

  • Making some basic Java games

    Can anyone help on how to make some basic java games for my website if you could that would be helpful
    thanks,
    Louie

    Well, first of all you program the Framework, add Graphics / sounds / Data , then you put it in your HP - There you are!

  • The battle to add some basic interaction to QuickTime?

    How do you actually work with quicktime files after the apparent death of Livestage pro?
    I've been searching, testing and loosing the battle to add some basic interaction to QT .mov's.
    livestage pro seams to be the only tool which actualy allowed creating interactive QT's. (I hope I'm wrong)
    My objective is to add a graphical PLAY button to the first screen of the clip.
    On the last screen I would like to put a play again button and play next, or playing next automatically after 12 seconds.
    Pulling the "next clip " from an xlm or data base would be great, I've found some Live stage project files to do that, but who knows if they still work with QT 7.*?
    I see that there's some posters on here with many post's.
    I'm gratefull for any assistance.

    Click on the pdf file on the left...
    http://developer.apple.com/documentation/QuickTime/Conceptual/QTScripting_JavaSc ript/index.html
    This will show you how to use text or graphics to make stop...play...etc for interaction in a Qt for the web. And it will show you how to click on text or graphics to call for a video into a div (video frame).
    And this one using buttons...
    http://www.kenvillines.com/archives/000008.html
    Easy to use...

Maybe you are looking for