A few How-To questions on E6-00

1. How do I set a one-touch button to open camera ?  I know it's possible on the E72, couldn't figure why it shouldn't be possible on my E6, I guess I just couldn't find it myself.
2. How to check battery level ?  Previously, when I used to have the Symbian Anna OS, I could do that by simply touching and holding the battery / clock icon on the screen and a small window would pop up and tell me the percentage of battery that was full.  It doesn't work anymore after upgrading to Belle.
Thank you
Roy

With reference to battery condition, whilst loathe to mention paid for applications this is one example of battery info widget upon E6-00:
Happy to have helped forum in a small way with a Support Ratio = 37.0

Similar Messages

  • A few how to questions on CaptureDevice: Microsoft.Devices

    Hi. I'm using CaptureDevice to capture videos (
    vcDevice =
    CaptureDeviceConfiguration.GetDefaultVideoCaptureDevice();
    1. How to I set the recording resolution? (I tried setting the canvas/videobrush resolution but the playback is still normal)
    2. How do I get the current size of captured file ex while recording I want to update a textblock and as the video records I want to show how many MB the file is now.
    3. does keeping the video preview on uses a lot of battery power?
    thanks

    this is what I have so far:
    // Viewfinder for capturing video.
    private VideoBrush videoRecorderBrush;
    // Source and device for capturing video.
    private CaptureSource _cs;
    private AudioVideoCaptureDevice vcDevice;
    double w, h;
    // File details for storing the recording.
    private IsolatedStorageFileStream isoVideoFile;
    private FileSink fileSink;
    private string isoVideoFileName = "iClips_Video.mp4";
    private StorageFile sfVideoFile;
    protected async override void OnNavigatedTo(NavigationEventArgs e)
    base.OnNavigatedTo(e);
    // Initialize the video recorder.
    await InitializeVideoRecorder();
    //prepare shutter hot keys
    CameraButtons.ShutterKeyHalfPressed += OnButtonHalfPress;
    CameraButtons.ShutterKeyPressed += OnButtonFullPress;
    CameraButtons.ShutterKeyReleased += OnButtonRelease;
    // Update the buttons and text on the UI thread based on app state.
    private void UpdateUI(ButtonState currentButtonState, string statusMessage)
    // Run code on the UI thread.
    Dispatcher.BeginInvoke(delegate
    switch (currentButtonState)
    // When the camera is not supported by the phone.
    case ButtonState.CameraNotSupported:
    StartRecording.IsEnabled = false;
    StopPlaybackRecording.IsEnabled = false;
    StartPlayback.IsEnabled = false;
    PausePlayback.IsEnabled = false;
    break;
    // First launch of the application, so no video is available.
    case ButtonState.Initialized:
    StartRecording.IsEnabled = true;
    StopPlaybackRecording.IsEnabled = false;
    StartPlayback.IsEnabled = false;
    PausePlayback.IsEnabled = false;
    break;
    // Ready to record, so video is available for viewing.
    case ButtonState.Ready:
    StartRecording.IsEnabled = true;
    StopPlaybackRecording.IsEnabled = false;
    StartPlayback.IsEnabled = true;
    PausePlayback.IsEnabled = false;
    break;
    // Video recording is in progress.
    case ButtonState.Recording:
    StartRecording.IsEnabled = false;
    StopPlaybackRecording.IsEnabled = true;
    StartPlayback.IsEnabled = false;
    PausePlayback.IsEnabled = false;
    break;
    // Video playback is in progress.
    case ButtonState.Playback:
    StartRecording.IsEnabled = false;
    StopPlaybackRecording.IsEnabled = true;
    StartPlayback.IsEnabled = false;
    PausePlayback.IsEnabled = true;
    break;
    // Video playback has been paused.
    case ButtonState.Paused:
    StartRecording.IsEnabled = false;
    StopPlaybackRecording.IsEnabled = true;
    StartPlayback.IsEnabled = true;
    PausePlayback.IsEnabled = false;
    break;
    default:
    break;
    // Display a message.
    txtDebug.Text = statusMessage;
    // Note the current application state.
    currentAppState = currentButtonState;
    public async Task InitializeVideoRecorder()
    try
    if (_cs == null)
    CaptureDevice cd= CaptureDeviceConfiguration.GetDefaultVideoCaptureDevice();
    _cs = cd as CaptureSource;
    CameraSensorLocation location = CameraSensorLocation.Back;
    var captureResolutions =
    AudioVideoCaptureDevice.GetAvailableCaptureResolutions(location);
    vcDevice =
    await AudioVideoCaptureDevice.OpenAsync(location,
    captureResolutions[0]);
    vcDevice.RecordingFailed += OnCaptureFailed;
    vcDevice.VideoEncodingFormat = CameraCaptureVideoFormat.H264;
    vcDevice.AudioEncodingFormat = CameraCaptureAudioFormat.Aac;
    // Initialize the camera if it exists on the phone.
    if (vcDevice != null)
    //initialize fileSink
    InitializeFileSink();
    // Create the VideoBrush for the viewfinder.
    videoRecorderBrush = new VideoBrush();
    videoRecorderBrush.SetSource(CaptureDeviceConfiguration.GetDefaultVideoCaptureDevice());
    // Display the viewfinder image on the rectangle.
    viewfinderRectangle.Fill = videoRecorderBrush;
    // Set the button state and the message.
    UpdateUI(ButtonState.Initialized, "Tap record to start recording...");
    else
    // Disable buttons when the camera is not supported by the phone.
    UpdateUI(ButtonState.CameraNotSupported, "A camera is not supported on this phone.");
    catch(Exception ex)
    MessageBox.Show("InitializeVideoRecorder Error:\n" + ex.Message);
    public async void InitializeFileSink()
    StorageFolder isoStore = ApplicationData.Current.LocalFolder;
    sfVideoFile = await isoStore.CreateFileAsync(
    isoVideoFileName,
    CreationCollisionOption.ReplaceExisting);
    private void OnCaptureFailed(AudioVideoCaptureDevice sender, CaptureFailedEventArgs args)
    MessageBox.Show(args.ToString());
    private void OnCaptureSourceFailed(object sender, ExceptionRoutedEventArgs e)
    MessageBox.Show(e.ErrorException.Message.ToString());
    // Set the recording state: display the video on the viewfinder.
    private void StartVideoPreview()
    try
    // Display the video on the viewfinder.
    if (_cs.VideoCaptureDevice != null
    && _cs.State == CaptureState.Stopped)
    // Add captureSource to videoBrush.
    videoRecorderBrush.SetSource(_cs);
    // Add videoBrush to the visual tree.
    viewfinderRectangle.Fill = videoRecorderBrush;
    _cs.Start();
    // Set the button states and the message.
    UpdateUI(ButtonState.Ready, "Ready to record.");
    //Create optional Resolutions
    // If preview fails, display an error.
    catch (Exception e)
    this.Dispatcher.BeginInvoke(delegate()
    txtDebug.Text = "ERROR: " + e.Message.ToString();
    // Set recording state: start recording.
    private void StartVideoRecording()
    try
    // Connect fileSink to captureSource.
    if (_cs.VideoCaptureDevice != null
    && _cs.State == CaptureState.Started)
    _cs.Stop();
    // Connect the input and output of fileSink.
    fileSink.CaptureSource = _cs;
    fileSink.IsolatedStorageFileName = isoVideoFileName;
    // Begin recording.
    if (_cs.VideoCaptureDevice != null
    && _cs.State == CaptureState.Stopped)
    _cs.Start();
    // Set the button states and the message.
    UpdateUI(ButtonState.Recording, "Recording...");
    StartTimer();
    // If recording fails, display an error.
    catch (Exception e)
    this.Dispatcher.BeginInvoke(delegate()
    txtDebug.Text = "ERROR: " + e.Message.ToString();
    // Set the recording state: stop recording.
    private void StopVideoRecording()
    try
    // Stop recording.
    if (_cs.VideoCaptureDevice != null
    && _cs.State == CaptureState.Started)
    _cs.Stop();
    // Disconnect fileSink.
    fileSink.CaptureSource = null;
    fileSink.IsolatedStorageFileName = null;
    // Set the button states and the message.
    UpdateUI(ButtonState.Stopped, "Preparing viewfinder...");
    StopTimer();
    StartVideoPreview();
    // If stop fails, display an error.
    catch (Exception e)
    this.Dispatcher.BeginInvoke(delegate()
    txtDebug.Text = "ERROR: " + e.Message.ToString();
    // Start the video recording.
    private void StartRecording_Click(object sender, EventArgs e)
    // Avoid duplicate taps.
    StartRecording.IsEnabled = false;
    StartVideoRecording();
    private void DisposeVideoRecorder()
    if (_cs != null)
    // Stop captureSource if it is running.
    if (_cs.VideoCaptureDevice != null
    && _cs.State == CaptureState.Started)
    _cs.Stop();
    // Remove the event handler for captureSource.
    _cs.CaptureFailed -= OnCaptureFailed;
    // Remove the video recording objects.
    _cs = null;
    vcDevice = null;
    fileSink = null;
    videoRecorderBrush = null;
    private void OnCaptureFailed(object sender, ExceptionRoutedEventArgs e)
    throw new NotImplementedException();
    //STOP WATCH
    private void StartTimer()
    dispatcherTimer = new System.Windows.Threading.DispatcherTimer();
    dispatcherTimer.Tick += new EventHandler(dispatcherTimer_Tick);
    dispatcherTimer.Interval = new TimeSpan(0, 0, 1);
    dispatcherTimer.Start();
    startTime = System.DateTime.Now;
    private void StopTimer()
    dispatcherTimer.Stop();
    private void dispatcherTimer_Tick(object sender, EventArgs e)
    System.DateTime now = System.DateTime.Now;
    txtRecTime.Text = now.Subtract(startTime).ToString();
    If it doesn't make sense can we start over then from the start: How to I capture video using AudioVideoCapturedevice API?

  • A few post config questions on new setup

    Hi Group,
    Just a few post config questions.
    First, how can I confirm my controller is in fact associating properly with an NTP server?  On a typically cisco product, I could just do a 'show ntp associations' or a 'show ntp status'.  I cannot see a way to confirm this on the gui or command line.
    Second, on my guest network with web-auth, if one were to choose to not use https for web-auth and instead use unsecure http, would that be possible and if so where in the gui?
    Thanks.

    The third field is from a WLC running v7.4 not v7.2.  I usually would install a 3rd party certificate, but what eles you can try is issue this command on from the CLI.  It had issues working with certain code versions, but you might as well give it a try.
    config network web-auth secureweb disable
    Thanks,
    Scott
    Help out other by using the rating system and marking answered questions as "Answered"

  • How do questions disappear from forum?

    How do questions disappear from the Premiere forum?  Since I have a GTX 480 and am interested in learning how significant a difference official support for mercury playback is, vs hacked support, I had entered a question soliciting feedback from owners of GTX 470 video cards.  Someone with almost 12,000 posts took exception to my post, I responded, and my post can no longer be found.
    Is there a problem with the forum software?

    Steve,
    Do not recall that post, but then things have been pretty fast and furious in the CS5 forum.
    Now, there are a couple of ways that posts can disappear, or seem to do so:
    1.) a moderator can Lock a thread, or can branch things off into a new thread. This just happened today, however both original threads are still there, just not separated.
    2.) Adobe Admin. can remove a thread (do not think that a MOD can do that - only Lock, Move, or branch?), but would not likely do so, unless it was obviously spam. Even then, the thread would likely remain, with all URL's "[Edited by Host]" or similar.
    3.) a moderator can Move a thread, say if one was posted to the CS5 forum, and it was really concerning CS4, or earlier. This can also happen, if a thread is best suited for the Hardware Forum (would be my first guess in your case), or to the Lounge, if I have managed to drag it too far off-topic. Check the Hardware Forum, 'cause that is where I would expect such a post to be.
    4.) when Adobe went to the new software, many older posts went to bit-heaven I highly doubt that anything like that happened here. We lost a few posts when there was a major Jive update, but there has not been such an update in ~ 8 mos.
    5.) one can often not see posts, if they access the forum via e-mail, instead of a browser. I would guess that with some feeds, that could happen too, but do not know.
    Good luck, and do check the Hardware Forum,
    Hunt
    PS - usually, when Jeff, Jerry.K, Curt, et al, Moves a post, they try to let the poster know. Still, with CS5.0.2 hitting, and all the traffic, maybe they slipped up, ran completely out of time, or tried, and failed in the notification. Most likely, if one of the MOD's did Move it, they'll jump right in and report having done so. They are great, though sometimes details might get lost on a busy day, especially if they are trying to get out of town to be with their families on a holiday weekend (US) to indulge themselves in their "other lives." Or, they could be packing up to avoid a hurricane - Earl.

  • How many Questions should be correct During Certification

    Hi All,
    I am planning to take XI certification. How many Questions should i answer correctly of the 80 questions to get the Certification?
    Thanks for the help,
    Deepthi

    Hi deepthi,
    U can do certification in
    1. SAP XI 3.0
        Certification ID (Booking code): C_TBIT51_04
        Pass Percentage: 65.
    2. SAP XI XI 7.0
        Certification ID (Booking code): C_TBIT44_70
        Pass Percentage: 70.
    Number of certification questionsin both the case is 80. So u should get around 52/56 questions correct in either of the course.
    Good Luck..!!
    Regards
    San
    Remember to set the thread to solved when you have received a solution there is a Way.

  • NMH405 Impressions after the first days - and a few beginners type questions

    Hi All, After some research I took the plunge and acquired a new NMH405 (I really would have liked the non existing "NMH400" i.e. no drives).  I removed the 500GB drive and added two new 1.5TB WD Green Caviar Drives and set it up as Raid-1 After a few error messages and waiting for a very long time while the drives resynched I manage to get it online as z-drive to my vista system.  I played around with the built-in backup tool (I like it!).  I tried the builtin player after having placed some of my iTunes albums on the media hub and decided that I did not really like that option to much.  I then simply moved my itunes libraries to the MediaHub and used the iTunes application on Vista as a front end.   That works very nice.
    I have a few questions, probably showing my limited knowledge of network attached drives.
    Q1.  Are there any other way to power off the device than pressing the little bottom on the NMH405 (aka my NMH415!)? When powered off I assume the only other way to power it on is via the bottom again?
    Q2.  I have noticed the device is offline for ages after having either recycled Windows Vista or the hub itself.  Why is that? And what can I do to bring it online in a orderly fashion?  There must be a way to get that ugly red crossed NAS showing as green and online as a z-drive in "My Computer" a lot faster.  
    Q3.  I reformatted the 500GB drive that the box came with, added it to Disk enclosure box and attached the USB to the front of the NMH405, after a while it said on the front panel that it had detected the drive and asker whether I wanted to import the content.  I declined that (partly because it was empty!).  Now how do I access this drive? I would like to (occasionally) use it to back up files from my Raid-1 setup (you newer know what could happen there...).  How do I use this USB attached drive?  Also i noticed it did not show up in "My Computer" - actually "Computer" in windows?  Adding it directly to my windows system it is detected instantly?
    Thanks for any pointers or answers to enhance my user experience.  I am still learning here.
    best regards
    Solved!
    Go to Solution.

    Q1. Your correct, there's only one button at the front for powering on/off. There is though an option to reboot the device inside the web interface thru the configuration > system option.
    Q2. It really depends on how fast your network can establish a connection, a mapped network drive is fine but I noticed that it slows down the bootup or login process when you turn on the PC. What I did was just create a shortcut on the desktop (location \\nmh410\media) which points to my mediahub and did not map the mediahub anymore to drive z.
    Q3. If its a fresh 500gb drive with nothin on it yet, then you would need to create a partition on it first by connecting the external USB drive directly to the PC. Check out this article from Microsoft about partitioning. I think an external USB drive icon will not show up on the PC since the external USB drive is plugged in onto the mediahub USB port. To gain access to that external USB drive which is plugged in onto the mediahub USB port, I just create a shortcut to \\nmh410\media\device . For backup you can use the NTI backup software that came with your mediahub.
    Cheers.
    Message Edited by Wilkins377 on 12-11-2009 09:38 AM

  • Few basic SRM questions .......

    I recently completed the SRM training from SAP and I have few basic questions and need help. Full points will be rewarded.
    These are my questions and it is based on SRM 5.0 Classic Scenario with R/3 backend
    1. Invoice  & confirmation transferred to R/3 via  ALE ? .  All other documents are transferred to R/3 via RFC?
    2. Based on the configuration, if the material is available in the backend then reservation will be created. Other wise PO will be created.  For text items, PR will be created.
         a. Who (purchaser) will process the PR in R/3 and how it is processed?.
         b. Who (purchaser?) will process the reservation in R/3 and how it is
             processed?. Assume no sourcing is setup in this case and No MRP run.
    3. How the vendor is linked to the Material or product category in SRM?. During the vendor replication from R/3, vendor and material/prod category link is automatically maintained?
    4. How the vendor is linked to a specific purchasing org/group? Is it based on the prod category assigned in the org structure for each purchasing org or purchasing group?
    5. How to do delta prod category replication?
    6. How to do Delta Material Replication?.
    7. Contracts and vendor list:-
        In our SAP training we created these from the browser. But in the actual
        implementation how do we create this?. Is it always from the browser?
    8. Direct Material and Plan driven Procurement.
       Can we use catalog items as direct material?. Just for example - > What
       about ‘Car Batteries’ that  is directly used in production and has the inventory
       also. But we are using electronic catalog for procuring this item. Is it possible to
       order this as direct material?
    9. How to replicate Plant. How to use DNL_PLNT?. Is BBP_LOCATIONS_GET_ALL will replicate all the PLANT's and its locations from the R/3 backend?
    10. In the HR system, which transaction we can view the org structure?

    Hi
    Answers to your questions ->
    1. http://help.sap.com/saphelp_srm50/helpdata/en/e9/d0fc3729b5db48e10000009b38f842/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/74/ec7b3c91c1eb1ee10000000a114084/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/55/d77c3c3fd53228e10000000a114084/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/77/e97b3c91c1eb1ee10000000a114084/frameset.htm
    2.  Provided the necessary role is given to the Purchaser (Buyer) in the System.
    a) Yes
    b) Yes
    3. http://help.sap.com/saphelp_srm50/helpdata/en/e5/f5e938b4ece075e10000000a114084/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/70/00c73a584611d6b21700508b5d5211/frameset.htm
    4. http://help.sap.com/saphelp_srm50/helpdata/en/2c/867d3ca2156c6ae10000000a114084/frameset.htm
    The vendor ORG has to be seperately created through trasaction PPOCV_BBP before replicating the Vendors from the R/3 System.
    http://help.sap.com/saphelp_srm50/helpdata/en/70/00c73a584611d6b21700508b5d5211/frameset.htm
    5. http://help.sap.com/saphelp_srm50/helpdata/en/42/d3b671ba67136fe10000000a1553f7/frameset.htm
    6.  http://help.sap.com/saphelp_srm50/helpdata/en/29/d586398dcfd74fe10000000a11402f/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/05/9b8139437eac2ae10000000a11402f/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/f5/b4bcdac7c40c4dba53e3695d18236c/frameset.htm
    7. Yes, from Browser it's quite easy and is quite user-friendly.
    8.
    http://help.sap.com/saphelp_srm50/helpdata/en/d3/4b9c3b122efc6ee10000000a114084/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/18/db183d30805c59e10000000a114084/frameset.htm
    9.
    You can use the following three routines to download locations from the backend system and store them as business partners in SAP Enterprise Buyer.
    BBP_LOCATIONS_GET_ALL
    To get all the location numbers from each backend system that is connected
    BBP_LOCATIONS_GET_FROM_SYSTEM
    To get all the location numbers from one particular backend system
    BBP_LOCATIONS_GET_SELECTED
    To get selected locations
    Previously, locations were not given business partner numbers in SAP Enterprise Buyer. If you are configuring an upgrade, you can use routines BBP_LOCATIONS_GET_FROM_SYSTEM and BBP_LOCATIONS_GET_SELECTED to check that the following conversions have been made:
    ·        Conversion of user favorites
    ·        Conversion of user attributes
    ·        Conversion of old documents
    Routine BBP_LOCATIONS_GET_ALL checks these automatically.
    Once you have run the routines, the location data is available in the SAP Enterprise Buyer system. Table BBP_LOCMAP contains the mapping information (in other words, which business partner number corresponds to which location in which backend system).
    For more information, see SAP Note 563180 Locations for EBP 4.0 – plant replication
    http://help.sap.com/saphelp_srm50/helpdata/en/62/fb7d3cb7f58910e10000000a114084/frameset.htm
    http://help.sap.com/saphelp_srm50/helpdata/en/77/e97b3c91c1eb1ee10000000a114084/frameset.htm
    10. PPOCA_BBP(Create) / PPOMA_BBP(Change) / PPOSA_BBP(Display).
    Regards
    - Atul

  • A formal 'Hello' to the community and a few Arch-related questions

    Hi guys.
    As a long-time Genoo and part-time Arch user I finally made the switch to Arch complete. Since I've been reading here quite a lot in the last year I thought I could as well create an account (acutally I did that a while back but never used it) and say hello.
    I've been running Arch on my laptop for about the last year. Coming from gentoo as my first ever Linux experience, Arch seemed the next logical step whenever I should grow weary of endless compiles and re-compiles (which is about now). I'm an enthusiastic Xmonad user which is why I'm particularily fond of this forum and it's Xmonad community. That's also the reason why I stumbled upon arch in the first place. So far it hasn't let me down once and I'm really happy with my (now 2) setups.
    With a little help of some of you guys on IRC I installed Arch64 on a RocketRaid 2310 Raid5 a few days ago. It's running really smooth and I'm quite impressed by the overall difference (in speed and usability) of kdemod KDE4 to my gentoo compiled one.
    For those interested as to how exactly I installed (there seems to be quite some controversy about the RocketRaid cards), here's how I did it:
    1) Boot from the Arch64 install cd
    2) Set up the environment for compilation of the driver:
    - fire up the network
    - edit the mirror file to my likings (a whole lot of German mirrors over here)
    - blacklist the packages kernel26, ndiswrapper, ndiswrapper-utils and tiacx
         The kernel shouldn't be updated unless anyone knows some magic kexec tricks from inside a live environment
         The other packages somehow depend on the kernel package
    3) Pacman -Suy base-devel
    4) Download the driver package, unpack and make
    5) rmmod sata_mv, modprobe rr2310_00 (The sata_mv module has to be unmounted, otherwise the raid controller will crash
    6) Mount the raid drive and install
    I did a manual installation since that's what i'm used to from gentoo (and since I don't trust the installer all too far with the whole raid setup) and the rest of it went pretty smoothly. I had to go for by-label uuid'ing my partitions though because they come in randomly on each boot.
    I do have a question now:
    Is there any way to conveniently trigger rebuilding the RocketRaid driver whenever a new kernel has been installed? I did create my own PKGBUILD of the driver from an old one that's in the aur so all it would take is to tell pacman that every update of kernel26 should automatically force-update the driver even though it's version hasn't changed. The alternative is of course to just keep compiling my own kernel as I did on gentoo but I'd like to not have to think about any of that stuff and just use the system.
    Or, if anyone has another cool idea how to handle this, I'm open to that too.

    barzam wrote:Why don't you create a wiki entry as well with your guide? I bet it will make someone's life easier in the future!
    I didn't think this was such a big deal. Also they way I did it, though working for me, is not the most elegant solution. One would rather build his own install cd with the driver included that then can serve as a backup system in case the raid driver is not rebuilt after a kernel update.

  • A few standards related questions

    i've got three questions:
    http://www.accent-mg.com/agape/test
    1. what's the deal with the footer? it seems like my
    "containerwide" div isn't meeting the "footer" div correctly. but i
    don't see anything in the code that would allude to that...
    2. how do i get my rule/ornament, the one just below the
    maroon bar, (reference:
    http://www.accent-mg.com/agape
    ) below the header .png? do i use z-index?
    3. once i get this all set up in css, is using a cms like
    textpattern or expression engine much easier? i tried to use it
    with a website that utilized tables, with no success. am i going in
    the right direction in regards to xhtml setup to optimize use with
    these cmss?
    thanks a lot.

    Hi theOne
    Thanks for the reply,
    I'll take a look at the CSS but I'm not going to be modifying the wiki-server on Leopard as there seems to be little point with the next release isn't far off. I'll be putting it to use when I upgrade.
    Contacts - it's something i've thought about. The place I used to work at had Netscape Directory Server and Imperia (CMS), we managed to add a nice search feature on the intranet there which was always used. It would be great if it was easy enough to add another search button with that accessing open directory or something similar. We'll always keep the FMPro database though as I use it in conjunction with a few other DB's, so it's not a big deal. Integrating FMPro would have been handy for accessing a few of our other databases in one single place.
    You are right, you can't turn off editing on individual pages or the blog/wiki. For me it would be great, as it would allow the intranet to be more of a group experience. If the company was 10 or 20 people then it would be an easier decision to allow them all write access to it. We are just over 100 in London now and that makes it more likely someone will get too button happy with their mouse. Still we have an easy to use intranet out of this, which cost us nothing so I can't complain. If we outgrow the wiki server faster than Apple add features we're not too stuck and could move it to Wordpress or similar. I am looking forward to adding podcasting and the mailing list features in the next release.
    Thanks again all
    Beatle

  • A few magnetic timeline questions.

    I've gone back 10 pages and not found these topics. So a few questions.
    1) When I delete a clip a gap is left. One should have the option of Ripple-delete AND Non-ripple-delete. Is there a Ripple-delete> How does one SIMPLY delete the gap?
    2) Even in TRIM mode, somtimes a trim doesn't ripple. Bug?
    3) Although there are no tracks -- below the string of clips -- there is a an odd set of "shadow clips" that match the clips above. What are these?
    4) When clips are deleted, these "shadow clips" remain but no longer exactly below the actual clips. What's going on?
    5) When draging clips, they'll pop up or down "tracks." What's going on?

    "Do yourself a favour and actully take a little time to learn how to use it before you criticise it."
    Having written a book on iMovie I certainly agree with learning an application.
    BUT, after 20 years of using almost every NLE -- it seems crazy that simply sending a clip to a timeline and deleteing a clip from a timeline would -- given it's Apple software -- not be intutive!
    Frankly, watching a tutorial seems overkill when you were able to point me the right direction with a few words, "OK. None of your clips are on a storyline."
    Perhaps what's needed is TIP in Apple's PDF for those who come from iMovie and have zero reason to bother with stories and magnets. TIP:
    1) Click Append to send to Timeline after setting IN and OUT on a clip in the Event Browser.
    2) Press delete to remove a clip with ripple.
    3) Press forward-delete to delete leaving a gap.
    4) Drag a video-only or audio-only clip, after setting IN and OUT on a clip in the Event Browser, above or below an AV clip to create an "insert."
    5) Drag edges to trim -- which oddly works in both A and T modes.
    For me everything else about FCP X seems intuitive -- although I have not yet found a way to place a clip at a TIME so it doesn't move. In other words stick to a spot. Gee, isn't that what tracks are for.
    So now that FCP X is mostly working for me I'm happy. But, iMovie is still faster at: Rotate clip in Event Browser; place clip as Cutaway, PIP, etc.; apply Ken Burns effect. For ME speed and ease is what makes an NLE "superior." When I want power I use Media Compser or FCP.
    Thank you for your help!

  • Setting project default file locations and a few random interface questions

    I apologize for the randomness of this post, but it seemed better than spamming a bunch of different posts in a short period of time.  I've been using Premiere Elements 9 for about 6 months now and there are a few little things that I'd like to tweak.
    I'd like to change the default file save location for a project.  I've got different projects in different folders and it seems like I should be able to set a default save location for each project.  All I've ever been able to find in the help is how to set the scratch folder, which is different.
    I'd like to change the default encoding preset for a project.  For example, I have a custom preset for mp4 under the mobile phone category.  It would be nice to have that be the default whenever I pick the mobile phone category.
    With birthdays and concerts and plays and all that stuff I have about 50 videos and a couple hundred large photos already.  Every time Premiere loads, it takes a few extra seconds to load up all of the thumbnails.  I hide all the videos and pictures on the Organize tab and save the project, but it never sticks.  Is this just impossible?
    Finally, every so often, the end-of-clip marker acts funny.  I don't know what the proper name for it is, but it is the thing under the mouse cursor in the picture below.  It used to automatically move on the time line as I added or deleted clips.  Somehow I clicked a button and it no longer does that.  After a week or so of not working, it goes back to automatically adjusting as I add and delete clips from the timeline and then it will break again.  Ideas?
    Also in the timeline, I now have this huge gap of nothingness on top of video 1, see picture.  My ocd says that Video1 and Audio 1 should be at the very top and the gap should be on the bottom.  Ideas?
    Thanks,
    Bob

    I kind of wish you'd have spread these questions out over a couple of posts so that we could answer each thoroughly. If I answer all of them in depth in a single post, this answer would be the size of one of my books! (which, by the way, contain many of the answers to these questions.)
    1. The default save location for your videos should be the last place you've saved your video to. So that should happen automatically. Although in my books I recommend that, whenever you start a new project, you create a new folder for it. This is good housekeeping and a good way to keep your tmp and render files in the same place on your drive, which has a number of advantages.
    2. You can't create a custom project preset. The only presets available are the ones Adobe provides. And, although they are pretty extensive, some non-traditional formats (like video from some mobile phones) are not well supported. You may be able to get it to work -- but it's usually a hybrid solution and, personally, if you plan to use your phone's video as your main video source, I'd recommend you look at another video editing program. Premiere Elements doesn't do the hybrid stuff well. It's ideally suited for video from traditional camcorders.
    3. The thumbnails you see when the program loads are not in your current project. At least not until you import them into your Project panel. That Media panel is merely a preview to what's in your Organizer catalog. As I explain in my book, it's usually best to ignore this panel until you really learn your way around the basics of this program. It's very confusing. Fortunately, it adds very little load time to the program itself -- regardless of how much time it seems to add.
    4. The thing in the illustration is the Work Area Bar. It's used to isolate a segment of your timeline for rendering, etc. Usually, it will shrink and grow as you add and remove video from your timeline. Unfortunately, there's a bug in version 9 and, if you manually change it once during a project, you'll have to manually change it for the rest of the time you work on the project. But, if you drag each end of the Work Area Bar to cover your entire timeline of videos, your project shouldn't misbehave.
    5. The "gap of nothingness" on your timeline is just room for you to add more audio and video tracks if you'd like to. It's a good thing to have! BTW, as I'm sure you know (and my books, once again, explain) you can toggle the tracks on your timeline so that they display as either compressed (as in your illustration) or wide open, which allows you to see your clips and control audio and video levels. Once again, this is a very good thing!
    Happy moviemaking.

  • Activation - Error:Cannot store binary and a few other NWDI questions.

    Hi all!
    I'm working on the Internet Sales Application (crm/b2b) in CRM 6.0. The work i do is an upgrade from CRM 4 to CRM 6, so I'm new to NWDI.
    I'm following the "ISA50DevExtGuideConcepts21.pdf" (since I haven't found a document for version 6), and have managed to add java extensions and librares successfully. I now work on the web-project and have started an activity to merge changes to stylesheets, and also added own mimes like stylesheets and images (.jpg, .gif). The files where added to the project folder (webContent in crm/isa/web/b2b) and then located and added to DTR through a refresh in NWDS. When I try to activate this activity I get the post-proccesing error in the request log below. This might have been caused by an image file renamed to .bak, although its recoginzed as an image in NWDS.
    Questions:
    1. Any idea what goes wrong? How should I solve this?
    2. Can I check out or remove the activity to correct the problem? How?
    3. I have a few Activities,already activated on the development server that I would like to get rid of. How do I do that?
    4. I have a few Activities that aren't properly named. Is it possible to change the name after activation?
    /Anders
    CBS Request Log
        ===== Processing =====  started at 2009-04-08 15:53:19.110 GMT
            BUILD DCs
                'sap.com/crm/isa/web/b2b' in variant 'default'
                        'war' PP has been changed. Dependent DCs will be re-built.
                    The build was SUCCESSFUL. Archives have been created.
        ===== Processing =====  finished at 2009-04-08 15:54:15.958 GMT and took 56 s 848 ms
        ===== Post-Processing =====
        Waiting for access: 10 ms
        ===== Post-Processing =====  started at 2009-04-08 15:54:15.968 GMT
            Check whether build was successful for all required variants...
                "sap.com/crm/isa/web/b2b" in variant "default"   OK
            STORE activation build results... started at 2009-04-08 15:54:15.972 GMT
                Update DC metadata... started at 2009-04-08 15:54:15.972 GMT
                    'sap.com/crm/isa/web/b2b' DC is CHANGED
                Update DC metadata... finished at 2009-04-08 15:54:16.276 GMT and took 304 ms
                STORE build results... started at 2009-04-08 15:54:16.276 GMT
                ===== Post-Processing =====  finished at 2009-04-08 15:54:17.849 GMT and took 1 s 881 ms
                Change request state from PROCESSING to FAILED
                Error! The following problem(s) occurred  during request processing:
                Error! The following error occurred during request processing:Database Error:Cannot store binary.
         Original Cause: DB2 SQL Error: SQLCODE=-968, SQLSTATE=57011, SQLERRMC=null, DRIVER=3.50.153
            REQUEST PROCESSING finished at 2009-04-08 15:54:17.855 GMT and took 1 m 6 s 42 ms

    I have done some more testing regarding the case with "Database Error:Cannot store binary."
    Unfortunately, the behaviour doesn't seem to be consitent or related to particular files. I had a successful activation with 79 of the files in one folder, but could'n add one single file in a new activity. When i removed one of the 79 files and added another file, one of those not possible to add before, it was successful.
    After this I tried to remove all 79 files again i one activity, and the add the original 79 files in another. The remove was successful while the adding was unsuccessful. All with the same error message in Request log.
    Does anybody have an idea of what is happening here? I don't have a clue.
    /Anders

  • A few simple Logic questions...please help.

    I have a few probably simple Logic questions, that are nonetheless frustrating me, wondering if someone could help me out.
    1. I run Logic 8, all of the sounds that came with logic seem to work except organ sounds. I can't trigger any organ sounds (MIDI) on Logic, they won't play. I have a Yamaha Motif as my midi controller.
    Any idea why?
    2. I've starting running into a situation where I will record a MIDI track, the notes are recorded but they won't playback. The only track effected is the one that was just recorded. All other midi tracks playback.
    I have to cut the track, usually go out of Logic and back in, re record for it to playback properly. Any idea why this may be happening?
    3. How important is it to update to Logic 9. Are there any disadvantages down the road if I don't upgrade. If I purchase the $200 upgrade, do I get a package of discs and material, or it just a web download.
    Any help is appreciated!
    Colin

    seeren wrote:
    Data Stream Studio wrote:
    3) You get a full set of disks and manuals.
    They're including manuals now?
    I think his referring to the booklets ...on how to install etc
    It would be great to see printed manuals though ...I love books especially Logic/Audio related !!
    A

  • A few Newbie Aperture questions - Help much appreciated!

    Hi All,
    I have just purchased Aperture and only played with it for a few hours - I'm really stunned with how great it works (especially for the price).
    I got a 550d for Christmas and I wanted to take my photos to the next level there are a couple of behavioural questions I'd like cleared up if possible!
    1. When I import files from my Camera I use Image capture, import them to a folder on my NAS drive and then import the ones I want to edit/keep into Aperture, Am I right in assuming that Aperture keeps these files in it's library and I do not need to keep the originals on the NAS drive?
    2. Aperture is an editing / image browsing application, when I edit a photo how can I view the original version? How does Aperture store the file as two photos or one big file? - I ask because I had edited a photo and wanted to email the Original and the edited version to a friend so he could check them out, I used the email button but I could only get it to mail the edited version. Even when I pressed 'M' to show master and clicked mail it still attached the edited version. The work around I had was to remove all edits and click mail and then just redo them - but it would be nicer to be able to share originals and edited photos, I understand for browsing though having Aperture show you're edited photos only is enough.
    3. Regarding Photosteam (I have an iPad which it's cool for) - When I import items do they go straight onto Photostream? Can I import items and later selectively add to photostream? and finally If I take a picture with my iPad it shows up in photostream but if I save an image from Safari or mail on the iPad does it also go to photostream?
    4. When I edit a photo does the edited changes get reflected on photostream?
    5. When I edit a photo do I have to save it? I seem to be able to just edit and close Aperture and my edits are auto saved? I assume you can't mess up an Original photo because you can always undo the non destructive edits, but can you undo the edits and exit Aperture and then later redo the edits on the same photo - does it keep a history of edits?
    Thanks a million for all the help,
    Regards,
    John

    You've made a good start!
    Am I right in assuming that Aperture keeps these files in it's library and I do not need to keep the originals on the NAS drive?
    Yes.  On import, unless you tell it otherwise, Aperture copies the file into the Library.  It is then called a "Master".  Aperture features non-destructive editing: your Masters are _never_ altered.  Keeping your Masters on NAS is not supported.  Don't forget to back-up.
    Aperture is an editing / image browsing application, when I edit a photo how can I view the original version?
    "m" toggle the view from Master to Version.  You can easily create a new Version from the Master, and view your original and your adjusted Version side-by-side.  Many novices do this, but gradually abandon the practice and just use the "m" toggle as needed.
    How does Aperture store the file as two photos or one big file?
    It's a bit tricky.  Aperture stores the Master and never alters it.  Aperture creates a _text_ file of instructions on how to alter the Master.  This text file is called a "Version".  What you see is an Image created on-the-fly by applying the instructions in the Version to the Master.  It is only when you need a share-able image-format file that you create one by exporting the Image.
    it would be nicer to be able to share originals and edited photos
    Use "File→Export→Master" to make a copy of your original to email.
    Photosteam
    Don't know.
    When I edit a photo do I have to save it? I seem to be able to just edit and close Aperture and my edits are auto saved?
    Don't worry about "Save" in Aperture.  Aperture is a database.  Databases automatically save all changes.  You do not save adjustments you make in Aperture.  There is no "Save" function.
    I assume you can't mess up an Original photo because you can always undo the non destructive edits, but can you undo the edits and exit Aperture and then later redo the edits on the same photo - does it keep a history of edits?
    (Edits in Aperture are called "Adjustments".)  Aperture always applies your adjustments in a fixed order.  This order is shown in the order of the Adjustment Bricks on the Adjustments tab of the Inspector.  You can turn any Adjustment on or off by checking the box at the top left of the Brick (one of the reasons I keep my Inspector to the right of my Viewer/Browser is to have these more readily accessed).  You can alter the settings of any Adjustment at any time.  The Bricks on the Inspector _are_ your history.  Since they are always applied in a fixed order, there is no reason to keep a list of the Adjustments you make in the order you make them.
    You can collapse or expand each Brick, and you can collapse all of them by "{Option}+clicking" one of the disclosure triangles.  You can add or remove Bricks from your default set.  Any time you use a Quick Brush, a Brick is added (or activated).
    (Added) Screenshot of my current default Adjustment Bricks:
    Good luck.  It's a fabulous program.
    Message was edited by: Kirby Krieger -- typos, small clarification, screenshot added.

  • A Few Issues and Questions I Have (GRUB, pacman, XBMC)

    Hi everyone. (Skip to the third paragraph for where my questions start, I got a little carried away in the first two, sorry!)
    I installed Arch Linux for the first time around a week ago. I am now on my third install. The first time I  reinstalled because I was experimenting too much with window managers, xfce4 and other desktop environments. I tried to tweak too much and couldn't boot into a graphical environment. I know I could of removed everything using pacman and re-installing the programs I liked but I wanted to start a fresh completely, had no real other reason really. All went well and my system was up and running again with GNOME (previously my go to desktop environment). However now and again my laptop wouldn't boot GRUB. It would just stop after my BIOS screen with the Acer logo.
    Eventually I started tinkering with window managers and installing just the bare minimum. I really liked what I ended with and so wanted to reinstall again. This time because I was going for the bare minimum approach, had a lot of installed bloat, wanted to move to btrfs and wanted to learn a lot more about how the system works. Previously I had followed a guide and taken very little in, if I was going to be working without a desktop environment I knew I would need to be in the command line a lot and so this time I had my longest install yet, as I read everything slowly and tried to learn what I was doing. Evidently this was my only problem free install. This time I still have my GRUB problem however.
    So for my first install GRUB worked fine, however on my second and third it randomly doesn't load (Picture included at the end). After having to power off by holding the power button and restarting it will then load fine. It's unresponsive to just pressing the power button and waiting or CTRL+ALT+Delete. This can happen on a reboot or when turning on after a period of down time. AFAIK I installed GRUB the same way both times. I have tried reinstalling GRUB and the problem remains.
    My second question is in regards to my many installs. Is there any easy way to see programmes I have installed so I can remove what I don't need? I have tried pacman -Qe but I still get a lot of programmes that I haven't installed, I assume they are in the base, or base-devel group, so is there anyway I can not have these showing in my list of installed packages? I don't believe an --ignoregroup option exists when running a query with pacman like it does when installing and updating.
    Lastly XBMC doesn't recognise my second screen, a projector, after I have enabled it with xrandr. Now I have found a workaround by looking on google, with wmctrl and have embedded the command in my open-box menu. This makes my XBMC believe it is windowed however instead of being true full screen. I was wondering whether anybody knows of an explicit solution instead of working around the problem.
    Heres the link to the picture for GRUB, this is all I get after the BIOS: http://imgur.com/a/uhVgp
    Please ignore the second picture, I thought my system wasn't updating but turns out the application I thought wasn't updating was in fact in Community-Testing, not Community, oops.
    I'm sorry if these solutions can be found elsewhere, I really have tried looking around but don't believe I'm finding what I need. Maybe I'm searching for the wrong terms, I'm not too sure.
    Thank you for any help.
    EDIT: Minor edit, but wow I've been running Arch now for 2 weeks, not 1, time flies sometimes eh?
    EDIT2: FINALLY got Arch to listen to my line-in, my Wii-U audio goes through my external sound card and I have never got it to work under Linux. Been trying for over a year for this to work, had to use Windows to listen to line in. That's one less reason to keep Windows. I love Arch, guess it's time for some Smash Bros and Monster Hunter 3U tonight!
    Last edited by BradPJ (2013-06-05 15:34:28)

    With regard to 'pacman -Qe' output: http://allanmcrae.com/2011/07/secondary … th-pacman/ or you can exclude some packages from that listing by using grep.
    Sidenote: JFC, Allan, what have you done with your blog template??

Maybe you are looking for