Web cam CPU requirements

I've got a ibook w/ 600Mhz G3 CPU with 640 RAM and 20 GB drive. 7 years old about. I wanna get a genius look 313 web cam but their specs say you should
have a pentium 3 1 Ghz cpu. it also says its mac compatable. is this
speed issue a deal breaker or will it work anyway?
thanks for any help
scott

Your iBook is likely close to 6 years old. The dual USB models didn't come out until May of 2001.
I can't find anything more on specifications than what you've already found. You may want to call KYE's Customer Service number and ask:
http://www.geniusnetusa.com/customer.php
But they may not know, either.
(My guess would be "yes, it should work." Pentium 3 is a pretty ancient specification, itself, and my guess would be based on that. But, as I said, it's only a guess. My advice would be to go somewhere where they have a 100% okay return policy so if it doesn't work, you can return it.)
Good luck.

Similar Messages

  • Creative video master web cam 2 usb version XP drivers required

    Does anyone have a copy of a driver that will work under windows XP for the videoblaster web cam 2 ?

    DM, I am pretty sure it does support WMP 0 playlists; I think 2..02 did as well. I do know that 2.20.05 supports Yahoo! Music Engine playlists; I had two albums with the exact same title but by different artists (worse, one of them has a collaboration which makes it impossible to select the entire album in the Artists section of the library), and used YME playlists to properly separate them in my Micro.
    Cat, congratulations on the official release of 2.20.05. I have a few questions for you:
    Can you confirm that the officially-released 2.20.05 firmware is identical to what was released on Audible's website? (Other than Audible packaging theirs in a zip file, of course.)</LI>
    I noticed that "locked charging" isn't listed in the release notes; that was also a ..0 feature which was NOT present in 2..02. I have confirmed thru testing that "locked charging" works on 2.20.05 with a third-party charger (unofficial use); presumably it also works with USB connections on PCs without MTP (official use, but I can't test it). The one report I read of problems with "locked charging" on 2.20.05 was due to the user NOT locking his Micro BEFORE plugging in. Can you obtain official confirmation that "locked charging" is a 2.20.05 feature, and then add the blurb about it from the ..0 release notes to the 2.20.05 release notes?</LI>
    And can I add to the firmware wishlist changes to the Albums section of the library, so that two albums by different artists with the exact same title are NOT mixed up? (That might need tagging software that can properly distinguish album artists from those on individual tracks, like WMP 0 does.)</LI>
    Message Edited by RBBrittain on 09-27-2005 0:3 PM

  • Capture Web Cam image in APEX and Upload into the Database

    Overview
    By using a flash object, you should be able to interface with a usb web cam connected to the client machine. Their are a couple of open source ones that I know about, but the one I chose to go with is by Taboca Labs and is called CamCanvas. This is released under the MIT license, and it is at version 0.2, so not very mature - but in saying that it seems to do the trick. The next part is to upload a snapshot into the database - in this particular implementation, it is achieved by taking a snapshot, and putting that data into the canvas object. This is a new HTML5 element, so I am not certain what the IE support would be like. Once you have the image into the canvas, you can then use the provided function convertToDataURL() to convert the image into a Base64 encoded string, which you can then use to convert into to a BLOB. There is however one problem with the Base64 string - APEX has a limitation of 32k for and item value, so can't be submitted by normal means, and a workaround (AJAX) has to be implemented.
    Part 1. Capturing the Image from the Flash Object into the Canvas element
    Set up the Page
    Required Files
    Download the tarball of the webcam library from: https://github.com/taboca/CamCanvas-API-/tarball/master
    Upload the necessary components to your application. (The flash swf file can be got from one of the samples in the Samples folder. In the root of the tarball, there is actually a swf file, but this seems to be a different file than of what is in the samples - so I just stick with the one from the samples)
    Page Body
    Create a HTML region, and add the following:
        <div class="container">
           <object  id="iembedflash" classid="clsid:d27cdb6e-ae6d-11cf-96b8-444553540000"
    codebase="http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=7,0,0,0" width="320" height="240">
                <param name="movie" value="#APP_IMAGES#camcanvas.swf" />
                <param name="quality" value="high" />
              <param name="allowScriptAccess" value="always" />
                <embed  allowScriptAccess="always"  id="embedflash" src="#APP_IMAGES#camcanvas.swf" quality="high" width="320" height="240"
    type="application/x-shockwave-flash" pluginspage="http://www.macromedia.com/go/getflashplayer" mayscript="true"  />
        </object>
        </div>
    <p><a href="javascript:captureToCanvas()">Capture</a></p>
    <canvas style="border:1px solid yellow"  id="canvas" width="320" height="240"></canvas>That will create the webcam container, and an empty canvas element for the captured image to go into.
    Also, have a hidden unprotected page item to store the Base64 code into - I called mine P2_IMAGE_BASE64
    HTML Header and Body Attribute
    Add the Page HTML Body Attribute as:
    onload="init(320,240)"
    JavaScript
    Add the following in the Function and Global Variable Declarations for the page (mostly taken out of the samples provided)
    //Camera relations functions
    var gCtx = null;
    var gCanvas = null;
    var imageData = null;
    var ii=0;
    var jj=0;
    var c=0;
    function init(ww,hh){
         gCanvas = document.getElementById("canvas");
         var w = ww;
         var h = hh;
         gCanvas.style.width = w + "px";
         gCanvas.style.height = h + "px";
         gCanvas.width = w;
         gCanvas.height = h;
         gCtx = gCanvas.getContext("2d");
         gCtx.clearRect(0, 0, w, h);
         imageData = gCtx.getImageData( 0,0,320,240);
    function passLine(stringPixels) {
         //a = (intVal >> 24) & 0xff;
         var coll = stringPixels.split("-");
         for(var i=0;i<320;i++) {
              var intVal = parseInt(coll);
              r = (intVal >> 16) & 0xff;
              g = (intVal >> 8) & 0xff;
              b = (intVal ) & 0xff;
              imageData.data[c+0]=r;
              imageData.data[c+1]=g;
              imageData.data[c+2]=b;
              imageData.data[c+3]=255;
              c+=4;
         if(c>=320*240*4) {
              c=0;
              gCtx.putImageData(imageData, 0,0);
    function captureToCanvas() {
         flash = document.getElementById("embedflash");
         flash.ccCapture();
         var canvEle = document.getElementById('canvas');
         $s('P2_IMAGE_BASE64', canvEle.toDataURL());//Assumes hidden item name is P2_IMAGE_BASE64
         clob_Submit();//this is a part of part (AJAX submit value to a collection) two
    }In the footer region of the page (which is just a loading image to show whilst the data is being submitted to the collection [hidden by default]) :<img src="#IMAGE_PREFIX#processing3.gif" id="AjaxLoading"
    style="display:none;position:absolute;left:45%;top:45%;padding:10px;border:2px solid black;background:#FFF;" />If you give it a quick test, you should be able to see the webcam feed and capture it into the canvas element by clicking the capture link, in between the two elements - it might through a JS error since the clob_Submit() function does not exist yet.
    *Part 2. Upload the image into the Database*
    As mentioned in the overview, the main limitation is that APEX can't submit values larger than 32k, which I hope the APEX development team will be fixing this limitation in a future release, the workaround isn't really good from a maintainability perspective.
    In the sample applications, there is one that demonstrates saving values to the database that are over 32k, which uses an AJAX technique: see http://www.oracle.com/technetwork/developer-tools/apex/application-express/packaged-apps-090453.html#LARGE.
    *Required Files*
    From the sample application, there is a script you need to upload, and reference in your page. So you can either install the sample application I linked to, or grab the script from the demonstration I have provided - its called apex_save_large.js.
    *Create a New Page*
    Create a page to Post the large value to (I created mine as 1000), and create the following process, with the condition that Request = SAVE. (All this is in the sample application for saving large values).declare
         l_code clob := empty_clob;
    begin
         dbms_lob.createtemporary( l_code, false, dbms_lob.SESSION );
         for i in 1..wwv_flow.g_f01.count loop
              dbms_lob.writeappend(l_code,length(wwv_flow.g_f01(i)),wwv_flow.g_f01(i));
         end loop;
         apex_collection.create_or_truncate_collection(p_collection_name => wc_pkg_globals.g_base64_collection);
         apex_collection.add_member(p_collection_name => wc_pkg_globals.g_base64_collection,p_clob001 => l_code);
         htmldb_application.g_unrecoverable_error := TRUE;
    end;I also created a package for storing the collection name, which is referred to in the process, for the collection name:create or replace
    package
    wc_pkg_globals
    as
    g_base64_collection constant varchar2(40) := 'BASE64_IMAGE';
    end wc_pkg_globals;That is all that needs to be done for page 1000. You don't use this for anything else, *so go back to edit the camera page*.
    *Modify the Function and Global Variable Declarations* (to be able to submit large values.)
    The below again assumes the item that you want to submit has an item name of 'P2_IMAGE_BASE64', the condition of the process on the POST page is request = SAVE, and the post page is page 1000. This has been taken srtaight from the sample application for saving large values.//32K Limit workaround functions
    function clob_Submit(){
              $x_Show('AjaxLoading')
              $a_PostClob('P2_IMAGE_BASE64','SAVE','1000',clob_SubmitReturn);
    function clob_SubmitReturn(){
              if(p.readyState == 4){
                             $x_Hide('AjaxLoading');
                             $x('P2_IMAGE_BASE64').value = '';
              }else{return false;}
    function doSubmit(r){
    $x('P2_IMAGE_BASE64').value = ''
         flowSelectAll();
         document.wwv_flow.p_request.value = r;
         document.wwv_flow.submit();
    }Also, reference the script that the above code makes use of, in the page header<script type="text/javascript" src="#WORKSPACE_IMAGES#apex_save_large.js"></script>Assuming the script is located in workspace images, and not associated to a specific app. Other wise reference #APP_IMAGES#
    *Set up the table to store the images*CREATE TABLE "WC_SNAPSHOT"
    "WC_SNAPSHOT_ID" NUMBER NOT NULL ENABLE,
    "BINARY" BLOB,
    CONSTRAINT "WC_SNAPSHOT_PK" PRIMARY KEY ("WC_SNAPSHOT_ID")
    create sequence seq_wc_snapshot start with 1 increment by 1;
    CREATE OR REPLACE TRIGGER "BI_WC_SNAPSHOT" BEFORE
    INSERT ON WC_SNAPSHOT FOR EACH ROW BEGIN
    SELECT seq_wc_snapshot.nextval INTO :NEW.wc_snapshot_id FROM dual;
    END;
    Then finally, create a page process to save the image:declare
    v_image_input CLOB;
    v_image_output BLOB;
    v_buffer NUMBER := 64;
    v_start_index NUMBER := 1;
    v_raw_temp raw(64);
    begin
    --discard the bit of the string we dont need
    select substr(clob001, instr(clob001, ',')+1, length(clob001)) into v_image_input
    from apex_collections
    where collection_name = wc_pkg_globals.g_base64_collection;
    dbms_lob.createtemporary(v_image_output, true);
    for i in 1..ceil(dbms_lob.getlength(v_image_input)/v_buffer) loop
    v_raw_temp := utl_encode.base64_decode(utl_raw.cast_to_raw(dbms_lob.substr(v_image_input, v_buffer, v_start_index)));
    dbms_lob.writeappend(v_image_output, utl_raw.length(v_raw_temp),v_raw_temp);
    v_start_index := v_start_index + v_buffer;
    end loop;
    insert into WC_SNAPSHOT (binary) values (v_image_output); commit;
    end;Create a save button - add some sort of validation to make sure the hidden item has a value (i.e. image has been captured). Make the above conditional for request = button name so it only runs when you click Save (you probably want to disable this button until the data has been completely submitted to the collection - I haven't done this in the demonstration).
    Voila, you should have now be able to capture the image from a webcam. Take a look at the samples from the CamCanvas API for extra effects if you wanted to do something special.
    And of course, all the above assumed you want a resolution of 320 x 240 for the image.
    Disclaimer: At time of writing, this worked with a logitech something or rather webcam, and is completely untested on IE.
    Check out a demo: http://apex.oracle.com/pls/apex/f?p=trents_demos:webcam_i (my image is a bit blocky, but i think its just my webcam. I've seen others that are much more crisp using this) Also, just be sure to wait for the progress bar to dissappear before clicking Save.
    Feedback welcomed.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

    Hmm, maybe for some reason you aren't getting the base64 version of the saved image? Is the collection getting the full base64 string? Seems like its not getting any if its no data found.
    The javascript console is your friend.
    Also, in the example i used an extra page, from what one of the examples on apex packages apps had. But since then, I found this post by Carl: http://carlback.blogspot.com/2008/04/new-stuff-4-over-head-with-clob.html - I would use this technique for submitting the clob, over what I have done - as its less hacky. Just sayin.

  • Capture an image using the web camera from a web application

    Hi All,
    Could anyone please share the steps what have to be followed for capture an image using the web camera from a web application.
    I have a similar requirement like this,
    1) Detect the Webcam on the users machine from the web application.(To be more clear when the user clicks on 'Add Photo' tool from the web application)
    2) When the user confirms to save, save the Image in users machine at some temporary location with some unique file name.
    3) Upload the Image to the server from the temporary location.
    Please share the details like, what can be used and how it can be used etc...
    Thanks,
    Suman

    1) Detect the Webcam on the users machine from the web application.(To be more clear when the user clicks on 'Add Photo' tool from the web application)There's not really any good way to do this with JMF. You'd have to somehow create a JMF web-start application that will install the native JMF binaries, and then kick off the capture device scanning code from the application, and then scan through the list of devices found to get the MediaLocator of the web cam.
    2) When the user confirms to save, save the Image in users machine at some temporary location with some unique file name.You'd probably be displaying a "preview" window and then you'd just want to capture the image. There are a handful of ways you could capture the image, but it really depends on your situation.
    3) Upload the Image to the server from the temporary location.You can find out how to do this on google.
    All things told, this application is probably more suited to be a FMJ (Freedom for Media in Java) application than a JMF application. JMF relies on native code to capture from the web cams, whereas FMJ does not.
    Alternately, you might want to look into Adobe Flex for this particular application.

  • Satellite A505-S6973 Web Cam won't turn off

    I recently signed up for Google Chat with the option to use the Video Chat feature.  Ever since I can't get the web cam to turn off, even when I'm not even logged on the Internet!  I don't like having the little light shining in my face every time I turn on the computer.
    How can I turn off the camera when I'm not using it?

    If you can get it to boot up again, I'd suggest doing a restore to out-of-box state to see if you have a hardware issue or software.  If after restoring it to out-of-box state you are still experiencing problems, it is likely hardware failure (i.e., cpu, hdd, motherboard, etc.).
    L305-S5955, T9300 Intel Core 2 Duo, 4GB RAM, 60GB SSD, Win 7 Ultimate 64-bit

  • WEB CAM IS NOT DETECTED

    Last one month.. wn i opned youcam.. disply ths msg..  "NO WEB CAM DETECTED. TRY PLUG IN NEW WB CAM.. AND SURE TO ON YOUR INTEGRATED CAM.."" im unble to on during skype n also fb video calling.. what shold i do??

    Hello @PARTHA_BISWAS ,
    Welcome to the HP Forums!
    I understand the computer is not detecting the webcam. I will do my best to assist you, but first I require the following information:
    1. The computer's model number. If you require assistance locating this information, please reference this website: Guide to finding your notebook product number
    2. The computer's operating system. If you require assistance locating this information, please reference this website to determine your Windows operating system.
    3. Does this occur on certain programs, or all programs?
    4. Have you installed any new software or drivers on this computer, before the issue appeared?
    5. Have you tried another webcam to see if one does work?
    Additionally, if the issue just began occurring, I would perform a system restore. I want you to bring the computer back to the earliest restore point possible, in an attempt to dodge whatever caused the issue. Here is a document on how to perform a System Restore: System Restore
    Mario
    I worked on behalf of HP.

  • Web-cam is not detected yet installed

    Hi!
    I m doing a program tat can capture movie from available video capturing devices, i hav installed web-cam, but while searching for the devices available(Detecting the device) , it is not identifing the device. And still if i m giving direct the device info to the program("vfj//0")then movie is captured from web-cam.
    Program is listed below which is not detecting the web-cam:
    public void setMainSource(){
    setProcessing(false);
    VideoFormat vidformat = new VideoFormat(VideoFormat.YUV);
    Vector devices = CaptureDeviceManager.getDeviceList(vidformat);
    CaptureDeviceInfo di = null;
    if (devices.size() > 0) di = (CaptureDeviceInfo) devices.elementAt(0);
    else {
    /* I got exception here */
    JOptionPane.showMessageDialog(parent,
    "Your camera is not connected", "No webcam found", JOptionPane.WARNING_MESSAGE);
    return;
    try {
    ml = di.getLocator();
    setMainCamSource(Manager.createDataSource(ml));
    } catch (Exception e) {
    JOptionPane.showMessageDialog(parent,
    "Exception locating media: " + e.getMessage(), "Error", JOptionPane.WARNING_MESSAGE);
    return;
    Output:
    Web cam not found....
    So wht shd be the problem , nyone please explain the problem how to overcome from it.
    Thank you

    First of all sorry for spelling mistake i write ("vfj//0") rather then "vfw://0"
    Yeh! i read your code n your code is also giving the same error
    like
    Web cam not detected/installed(like something this).
    But still i hav attached cam n capturing movie from the code shown below:
    //This will not detect the webcam n directly captures the movie, try it out so now wht to do so tat will detect the webcam properly....
    CODE:
    import javax.media.*;
    import javax.media.util.*;
    import javax.media.format.*;
    import javax.swing.*;
    import javax.swing.event.*;
    import java.awt.*;
    import java.awt.event.*;
    import javax.media.control.*;
    class testing extends JFrame implements ControllerListener,ActionListener
         //Variables for gui
         public JButton play=new JButton("Play");
         public JButton stop=new JButton("Stop");
         public JPanel p1=new JPanel();
         public JPanel p2=new JPanel();
         Container c;
         //Variables for videocapturing
         boolean stateTransitionOK = true;
         Object waitSync = new Object();
         Processor p;
         ///Variables required to store the movie
         DataSink sink;
         MediaLocator dest = new MediaLocator("save_video.wav");
         ///methods
         public testing()
              super("Video Capture Demo");
              setupvideocapture();
              setupgui();
         public void setupgui()
              c.add(play);
              c.add(stop);
              addWindowListener(new WindowHandler());
              stop.addActionListener(this);
              play.addActionListener(this);
              setSize(350,350);
              setVisible(true);
              show();
         public void actionPerformed(ActionEvent ae)
              String str;
              str=ae.getActionCommand();
              if(str=="Play")
                   try
                        //Before starting capturing store the movie to the HDD
                        p.start();
                        sink = Manager.createDataSink(p.getDataOutput(), dest);
                        sink.open();
                        sink.start();
                   catch(Exception e)
              else if(str=="Stop")
                   try
                   //     sink.stop();
                        p.stop();
                   catch(Exception e)
         public void setupvideocapture()
              c=getContentPane();
              c.setLayout(new FlowLayout());
              try
                   p = Manager.createProcessor(new MediaLocator("vfw://0"));
                   p.addControllerListener(this);
                   p.configure();
                   waitForState(p.Configured);
                   p.setContentDescriptor(null);
                   p.prefetch();
                   waitForState(p.Prefetched);
                   c.add(p.getVisualComponent());
                   ///Intializing the saving procedure
              catch(Exception e)
                   System.out.println(e);
              public void controllerUpdate(ControllerEvent evt)
                   if (evt instanceof ConfigureCompleteEvent || evt instanceof RealizeCompleteEvent || evt instanceof PrefetchCompleteEvent)
                        synchronized (waitSync)
                             stateTransitionOK = true;
                             waitSync.notifyAll();
                   else if (evt instanceof ResourceUnavailableEvent)
                        synchronized (waitSync)
                        System.out.println("ResourceUnavailable");
                        stateTransitionOK = false;
                        waitSync.notifyAll();
                   else if (evt instanceof EndOfMediaEvent)
                        p.close();
                        System.exit(0);
              boolean waitForState(int state)
                   synchronized (waitSync)
                        try
                             while (p.getState() != state && stateTransitionOK)
                                  waitSync.wait();
                        catch (Exception e) {}
                   return stateTransitionOK;
         //Entry point
         public static void main(String args[])
              testing t=new testing();
    class WindowHandler extends WindowAdapter
         public void windowClosing(WindowEvent e)
              System.exit(0);
    This is working properly........ so plz if other option plz notify me.
    Thank you for helping me.......

  • Yahoo Msger with Web-cam view support

    Does anyone know of any other client besides Gyach Enhanced that allows web-cam viewing using Yahoo Messenger?  I am unable to compile Gyach Enhanced and I have not found another client that supports this.  If you have been able to compile Gyach Enhanced on Arch could you please provide me the details?  Any help will be appreciated.
    Thank you

    I found http://gyachi.sourceforge.net/ and I attempting to compile, however, I receive the error:
    checking for GTKHTML... configure: error: Package requirements (libgtkhtml-2.0 >= 2.0) were not met:
    No package 'libgtkhtml-2.0' found
    Consider adjusting the PKG_CONFIG_PATH environment variable if you
    installed software in a non-standard prefix.
    Alternatively, you may set the environment variables GTKHTML_CFLAGS
    and GTKHTML_LIBS to avoid the need to call pkg-config.
    See the pkg-config man page for more details.
    I have libgtkhtml-2.6.3-2 and it seems to be located in /opt/gnome/include/gtkhtml-2.0/libgtkhtml .  Does anyone have any suggestions on getting this to compile or how to edit the PKG_CONFIG_PATH ?  I attempted GTKHTML_LIBS=/opt/gnome/include/gtkhtml-2.0/libgtkhtml  but I still receive the same error.
    Thank you.

  • Yahoo Messenger  Contact web cam too small

    **** all,
    I got Yahoo Messenger working thanks to the help I received here. Now my next question is: The contact's web cam (what I see) is very small and I don't see a way to enlarge it. Does anyone know how to maximize this view? Is this an Apple issue? My contact can maximize my view on their PC.
    Any suggestions are appreciated.
    Don
    Sorry, I don't know how to add points

    I found http://gyachi.sourceforge.net/ and I attempting to compile, however, I receive the error:
    checking for GTKHTML... configure: error: Package requirements (libgtkhtml-2.0 >= 2.0) were not met:
    No package 'libgtkhtml-2.0' found
    Consider adjusting the PKG_CONFIG_PATH environment variable if you
    installed software in a non-standard prefix.
    Alternatively, you may set the environment variables GTKHTML_CFLAGS
    and GTKHTML_LIBS to avoid the need to call pkg-config.
    See the pkg-config man page for more details.
    I have libgtkhtml-2.6.3-2 and it seems to be located in /opt/gnome/include/gtkhtml-2.0/libgtkhtml .  Does anyone have any suggestions on getting this to compile or how to edit the PKG_CONFIG_PATH ?  I attempted GTKHTML_LIBS=/opt/gnome/include/gtkhtml-2.0/libgtkhtml  but I still receive the same error.
    Thank you.

  • Photobooth greenscreen doesn't work with Logitech C615 Web Camera

    I just installed a Logitech C615 HD web cam and I'm trying to use it with photobooth. While the video and sound records just fine when using most effects such as normal, dizzy, frog, blockhead etc., when trying to use any of the effects with moving backgrounds such as Eiffel Tower, Rollercoaster or Sunset, Photobooth says "Detecting Background" very briefly (less than 2 seconds).There is no time for the user to move out of the video for the greenscreen process to work correctly.
    What you get is just a video of the Eiffel Tower, Rollercoaster etc, with out the web cam user showing up.
    I have tried removing the com.apple.PhotoBooth.plist file, but the problem still persists.
    I have searched the Logitech web site and while the do mention some compatibilty issues, the problem I'm seeing with Photobooth doesn't seem to be one of them.
    I'm currently running a Mac Mini 5,1 - i5 [email protected] - Mid 2011
    8GB RAM / OS X 10.7.5
    Any suggestions on how to fix this problem would be greatly appreciated.

    One or both of these may help you.
    (1)  Perhaps you installed some additional software on your Mac mini to control your Logitech?
    If so, that software's driver may be overriding the Mac OS X webcam software and causing trouble with the "fixed focus and exposure and white balance" requirements for using Photo Booth's backdrops shown in http://support.apple.com/kb/PH5610
    As one example, Logitech's http://tinyurl.com/ckfesn7 Troubleshooting page advises that their software may limit compatibility with some applications, Photo Booth included.
    If you have installed any software beyond that automatically installed by OS X, follow the supplier's instructions on now to uninstall it, restart your Mac, and test again.
    (2) Your problem can also be caused by small, even tiny, movement of your camera:
       http://support.apple.com/kb/PH5607
    Movement in the camera's background field of view, even air moving pictures or curtains behind you, can also cause this.
    Make sure everything is absolutely still, restart, and test again.
    Message was edited by: EZ Jim
    Mac OSX 10.8.3

  • How to disable USB, Bluetooth, Web Camera in iMac

    Hi
    Hi we have 4 Apple iMac 21.5” Quad-Core i5 2.5GHz/4GB/500GB/Radeon HD 6750M 512MB. We have upgraded the OS to Mountain Lion. For company security purpose we want to disable USB, Bluetooth, Web Camera. Please help us understand if this can be done or not ?
    Thanks in advance,
    Soum

    Hello, soum_mohanty.
    There's no need to post again in the iSight (or any other) forum.  Hosts will likely delete multiples anyway.  I will just give you my thoughts here.
    Use Linc's answer above:  (Regards, Linc)
    From Hardening Tips - National Security Agency:
    ... The best way to disable an integrated iSight camera is to have an Apple-certified technician remove it. ...
    Contact your Apple-Authorized Service Provider and discuss your needs.  If anyone can safely disable the cameras in a way that meets your security requirements without damaging your Macs, it will be an AASP.
    If your AASP cannot do what you need with your current Macs, my only remaining suggestion is that you consider trading them for machines that have no inbuilt camera.  Mac minis or Mac Pros may meet your needs.
    Message was edited by: EZ Jim
    Mac OSX 10.8.3

  • B500 - Web cam problem in windows 7

    I just reinstall a new Windows 7. My web cam in my Ideacentre B500 doesn't work correctly. There is no web cam icon in "MY COMPUTER". I tried to find its driver in LENOVO website but I can't.

    AndrewThompson64 wrote:
    How closely is this related to your [other query|http://forums.sun.com/thread.jspa?threadID=5442164] about time zones in Java *1.3?*
    Both the queries are related to same problem only.
    Thanks a lot AndrewThompson64, baftos and WalterLaan.
    figured out the problem. The source code for the java.util.TimeZone class's getDefault method shows it eventually invokes the sun.util.calendar.ZoneInfo class's getTimeZone method. This method takes a String parameter that is the ID for the required time zone. The default time zone ID is obtained from the user.timezone (System) property. If the user.timezone property is not defined, it tries to get the ID using a combination of the user.country and java.home (System) properties. If it doesn't succeed in finding a time zone ID, it uses a "fallback" GMT value. In other words, if it can't figure out the time zone ID, it uses GMT as your default time zone. JRE 1.3 in windows 7 was working in the same way.
    Did a code change such that user.timezone property is set to IST by using the java.lang.System class's setProperty method.
    System.setProperty("user.timezone","Asia/Calcutta"); This will ensure that application will stick to +5.30 of GMT time zone and is totally independant of the system OS(Widnows XP, Vista, Win 7) and system timezone setting(UTC/GMT). Have created a method to fetch the timezone string value (Asia/Calcutta) from DB. This will make bit more configurable. Tested it. It worked very well in my quality servers.

  • Cloning DataSource for web cam

    I'm transmitting live video from a web cam over the network and storing the video to a QuickTime file at the same time. From my experience, this requires cloning a DataSource.
    Is it more efficient to clone the DataSource that is coming directly from the web cam and feed those cloned DataSources to separate Processors for RTP transmission and file storage,
    OR
    is it more efficient to clone the OUTPUT DataSource from a single Processor and use the output cloned DataSources for sending to file, etc. ?
    Thanks,
    Frank

    Cloning the input DataSource is one method that works. See "Video Capture Utility with Monitoring" in the JMF Solutions page for 3 other methods that could be employed that produce better quality.
    http://java.sun.com/products/java-media/jmf/2.1.1/solutions/JVidCap.html

  • Captivate Video Recording via web cam?

    Is it possible to do Captivate Video Recording via USB web cam? All I can see so far is about its ability to record screens and applications, but not do an actual video recording via a video camera input. Audio is no problem allowing you to insert audio from a file or do a live audio insert. Video however seems limited to insert from a file only. This would seem to imply you need a separate video recording application to capture video via a camera input, which is obviously disappointing if that's the case.

    Thanks. Hopefully they will add this basic functionality to Captivate ASAP. It's a missing fundamental element. i.e. to be able to add video annotation to your slides. Lectora Publisher does it and so should Captivate in my view, given it's supposed to be among or overall ahead of the leading products. Seamless audio / video annotation is a very common requirement nowadays.

  • Good web cam

    Can anyone help, Im looking for a good quality web camera that I can use with a OS 10.4.11 Tiger. I publish photos to the web using Image Caster. I have been using a logitech pro 9000 good quality but it has no supporting softwear/driver and tends to melfunction the softwear. Im using an Isight at the moment but the quality is not that good. Have a look mayefilms.com/campage_html.
    Thanks

    You have pretty good camera's already, there good. No need for drivers, the Logitech is UVC compliant. You need a good broadband connection that is stable. Have you considered comparing the application you use to cast to other comparable applications? This might bring an improvement that doesn't require the purchase of a new camera.

Maybe you are looking for

  • Is this the most up to date version of Adobe Muse CC ?

    Hi, I just installed Adobe Muse CC from Creative Cloud. It installed perfectly except the version that installed (7.1 and 7.1.329) was not current. I know this because under effects tab: missing scroll effects. Creative Cloud shows it is  up to date,

  • Converting varchar list to number

    hi everybody, can anyone help me to convert the varchar to number ex the input arg is varchar in this query below select * from student where rollno in ('1,2,3,4'); in this example the roll no is of type number.when i use to_number function it shows

  • Setup Error for Download

    I've been trying to download the new Dreamweaver and get as far as setup when an error message pops up that cancels everything. I'm told that Setup has encountered internal error 2739. Anyone know what this means? I'm using a new Sony Vaio that has V

  • IPod Touch - OS 3.0 - language switched to Greek

    Updated to 3.0. After the update everything on the iPod Touch is in the Greek language. The word "language" does not appear in the 3.0 user guide. Everything during the installation purchase and installation process was set to English. How do I set i

  • Slow booting process

    my pc is slow to boot up. when logging on, it takes several minutes to allow a user to log in or after a user logs in to open up - all you see is the spinning wheel.