Scripting to keep an app running

I'm currently using the latest beta of Growl 1.3, merely because of the email notify capability (1.2 doesn't work with Leopard). However, I'm noticing the Growl tends to shut down pretty often, so I'd like to have a script run to restart growl every hour.
Is it best (overhead-wise) to run this in a terminal window or as an Apple script? I would assume apple script since I don't need to have an app open. I'd like to have the script start the app, sleep for an hour, then restart (all in a loop).
Also, if I have growl notifications on the screen when the script restarts Growl, does anyone know if those notifications will disappear?
Any other better suggestions are appreciated.
Thanks!

you can make a launch daemon to do this. that's how it's done with dock and finder. they are automatically restarted by using launch daemons. first, remove itunes from login items. they will be started by the launch daemon.
make a plain text document with the following content
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
<plist version="1.0">
<dict>
<key>KeepAlive</key>
<true/>
<key>Label</key>
<string>com.me.itunes</string>
<key>ProgramArguments</key>
<array>
<string>/Applications/iTunes.app/Contents/MacOS/iTunes</string>
</array>
<key>RunAtLoad</key>
<true/>
</plist>
call it com.me.itunes.plist and save it in home directory/library/launchagents and log out/in. that's it. itunes will start automatically and if it quits for whatever reason it will restart.

Similar Messages

  • Do I have to keep closing apps running in the background?

    There are a lot of apps I use for no more than 5 mins a day (like the weather.com app for example). Do I have to close all these apps manually every time (and every day) in order to preserve battery life and resources ... or do they automatically close at some point?
    Message was edited by: obiekush

    This is true. I guess the best way to deal with this, then, is to each time you are done with an app you aren't going to use again for awhile, is to double-click the home button to bring up the taskbar, and remove those certain applications. It's an extra step, yes, but I don't know of any better way to do it.

  • Keep app running when flip is closed

    how can i keep my application running when the flip is closed "run in background" and display results on the outer screen
    the mobile im using is a motorola v600
    but if nobody knows how to make it work on any other phone with flip please tell me

    in jad file add 2 more keys:
    Background - True
    FlipInsensitive - True
    regards
    piter

  • I want to write a script or Automator workflow/app that emails a random shortcut of the day to three recipients. The source is from an Excel spreadsheet. One column is the shortcut, and the second column is the definition. Anyone have experience?

    I want to write a script or Automator workflow/app that automatically emails a random shortcut of the day to three recipients. The source is from an Excel spreadsheet. One column is the shortcut, and the second column is the definition. Anyone have similar experience and know that this would work?

    I have had a first stab at the script, below.  It uses a file to store the shortcuts and command [descriptions].  You should be able to see from the script annotations how to add a new one.  (I populated 1-4 with real data, but got lazy after that, so you have a few placeholders to work with first.
    As I have noted, once you are happy that you have all the data in the file, you can comment out part of the script for ongoing use.  (BTW, my reluctance to use Excel is that I don't currently have it installed and I don't want to offer wrong advice.  If you have Numbers, I do have that and could probably modify to work with a spreadsheet from there.  This might be especially useful if you have the data already sitting in Excel.)
    A few things came-up whilist I was writing the script:
    1.     Currently, all recipients will not only get the same tip at the same time, but they will see the names and email addresses of the others who receive them.  It is possible to modify this.
    2.     I have added a property gRandomCheck which keeps track of which shortcut has already been used (since the last time the script was compiled.  This will prevent the same tip being sent more than once.    When all tips have been sent once, the script will alert you and not send anything until reset.  It does not check on a per-addressee basis (which would be a refinement).  (If you add a new addressee at this stage, the whole process will start again, and you may not really want this to be the behaviour.)
    3.     The way that I have built the list, commandList, is deliberately cumbersome - it's for the sake of clarity.  If you prefer, you can construct the whole list as {{shortcut:"X", command:"X"}, {shortcut:"Y", command:"Y"}}
    Have a look - I am sure you will have questions!
    SCRIPT STARTS HERE  Paste the following lines (thru the end) into a new AppleScript Editor document and press RUN
    --The property gRandomCheck persists between runs and is used to stop sending the same hint twice.
    property gRandomCheck : {}
    --I am defining a file on the desktop.  It doesn't have to be in this location
    set theFolder to path to desktop
    set commandFile to (theFolder as text) & "CommandFile.csv"
    --(* Unless you need to change the file contents you do not need to write to it each time.  Remove the "--" on this line and before the asterisk about 18 lines below
    --Follow this format and enter as many records as you like on a new line - each with a unique name
    set record1 to {shortcut:"Z", command:"Undo"}
    set record2 to {shortcut:"R", command:"Record"}
    set record3 to {shortcut:"⇧R", command:"Record Toggle"}
    set record4 to {shortcut:"⌘.", command:"Discard Recording & Return to Last Play Position"}
    set record5 to {shortcut:"X", command:"x"}
    set record6 to {shortcut:"X", command:"x"}
    set record7 to {shortcut:"X", command:"x"}
    set record8 to {shortcut:"X", command:"x"}
    set record9 to {shortcut:"X", command:"x"}
    set record10 to {shortcut:"X", command:"x"}
    set record11 to {shortcut:"X", command:"x"}
    set record12 to {shortcut:"X", command:"x"}
    set record13 to {shortcut:"X", command:"x"}
    --Make sure you add the record name before randomCheck:
    set commandList to {record1, record2, record3, record4, record5, record6, record7, record8, record9, record10, record11, record12, record13}
    --This part writes the above records to the file each time.
    set fileRef to open for access commandFile with write permission
    set eof of fileRef to 0
    write commandList to fileRef starting at eof as list
    close access fileRef
    --remove "--" here to stop writing (see above)*)
    --This reads from the file
    set fileRef to open for access commandFile with write permission
    set commandList to read fileRef as list
    close access fileRef
    --Here's where the random record is chosen
    set selected to 0
    if (count of gRandomCheck) is not (count of commandList) then
              repeat
                        set selected to (random number from 1 to (count of commandList))
                        if selected is not in gRandomCheck then
                                  set gRandomCheck to gRandomCheck & selected
                                  exit repeat
                        end if
              end repeat
    else
              display dialog "You have sent all shortcuts to all recipients once.  Recompile to reset"
              return
    end if
    --This is setting-up the format of the mail contents
    set messageText to ("Shortcut: " & shortcut of record selected of commandList & return & "Command: " & command of record selected of commandList)
    tell application "Mail"
      --When you're ready to use, you probably will not want Mail popping to the front, so add "--" before activate
      activate
      --You can change the subject of the message here.  You can also set visible:true to visible:false when you are happy all is working OK
              set theMessage to (make new outgoing message with properties {visible:true, subject:"Today's Logic Pro Shortcut", content:messageText})
              tell theMessage
      --You can add new recipients here.  Just add a new line.  Modify the names and addresses here to real ones
                        make new to recipient with properties {name:"Fred Smith", address:"[email protected]"}
                        make new to recipient with properties {name:"John Smith", address:"[email protected]"}
      --When you are ready to start sending, remove the dashes before "send" below
      --send
              end tell
    end tell

  • Will Mackeeper keep my computer running good or does apple have something better

    Will Mackeeper keep my computer running good or does apple have something better

    How to maintain a Mac
    1. Make redundant backups, keeping at least one off site at all times. One backup is not enough. Don’t back up your backups; make them independent of each other. Don’t rely completely on any single backup method, such as Time Machine. If you get an indication that a backup has failed, don't ignore it.
    2. Keep your software up to date. In the Software Update preference pane, you can configure automatic notifications of updates to OS X and other Mac App Store products. Some third-party applications from other sources have a similar feature, if you don’t mind letting them phone home. Otherwise you have to check yourself on a regular basis. This is especially important for complex software that modifies the operating system, such as device drivers. Before installing any Apple update, you must check that all such modifications that you use are compatible.
    3. Don't install crapware, such as “themes,” "haxies," “add-ons,” “toolbars,” “enhancers," “optimizers,” “accelerators,” "boosters," “extenders,” “cleaners,” "doctors," "tune-ups," “defragmenters,” “firewalls,” "barriers," “guardians,” “defenders,” “protectors,” most “plugins,” commercial "virus scanners,” "disk tools," or "utilities." With very few exceptions, this stuff is useless, or worse than useless. Above all, avoid any software that purports to change the look and feel of the user interface.
    The more actively promoted the product, the more likely it is to be garbage. The most extreme example is the “MacKeeper” scam.
    As a rule, the only software you should install is that which directly enables you to do the things you use a computer for — such as creating, communicating, and playing — and does not modify the way other software works. Use your computer; don't fuss with it.
    Safari extensions, and perhaps the equivalent for other web browsers, are a partial exception to the above rule. Most are safe, and they're easy to get rid of if they don't work. Some may cause the browser to crash or otherwise malfunction. Use with caution.
    Never install any third-party software unless you know how to uninstall it. Otherwise you may create problems that are very hard to solve.
    4. Beware of trojans. A trojan is malicious software (“malware”) that the user is duped into installing voluntarily. Such attacks were rare on the Mac platform until sometime in 2011, but are now increasingly common, and increasingly dangerous.
    There is some built-in protection against downloading malware, but you can’t rely on it — the attackers are always at least one day ahead of the defense. You can’t rely on third-party protection either. What you can rely on is common-sense awareness — not paranoia, which only makes you more vulnerable.
    Never install software from an untrustworthy or unknown source. If in doubt, do some research. Any website that prompts you to install a “codec” or “plugin” that comes from the same site, or an unknown site, is untrustworthy. Software with a corporate brand, such as Adobe Flash Player, must be acquired directly from the developer. No intermediary is acceptable, and don’t trust links unless you know how to parse them. Any file that is automatically downloaded from a web page without your having requested it should go straight into the Trash. A website that claims you have a “virus,” or that anything else is wrong with your computer, is rogue.
    In OS X 10.7.5 or later, downloaded applications and Installer packages that have not been digitally signed by a developer registered with Apple are blocked from loading by default. The block can be overridden, but think carefully before you do so.
    Because of recurring security issues in Java, it’s best to disable it in your web browsers, if it’s installed. Few websites have Java content nowadays, so you won’t be missing much. This action is mandatory if you’re running any version of OS X older than 10.6.8 with the latest Java update. Note: Java has nothing to do with JavaScript, despite the similar names. Don't install Java unless you're sure you need it. Most people don't.
    5. Don't fill up your boot volume. A common mistake is adding more and more large files to your home folder until you start to get warnings that you're out of space, which may be followed in short order by a boot failure. This is more prone to happen on the newer Macs that come with an internal SSD instead of the traditional hard drive. The drive can be very nearly full before you become aware of the problem. While it's not true that you should or must keep any particular percentage of space free, you should monitor your storage consumption and make sure you're not in immediate danger of using it up. According to Apple documentation, you need at least 9 GB of free space on the startup volume for normal operation.
    If storage space is running low, use a tool such as the free application OmniDiskSweeper to explore your volume and find out what's taking up the most space. Move rarely-used large files to secondary storage.
    6. Relax, don’t do it. Besides the above, no routine maintenance is necessary or beneficial for the vast majority of users; specifically not “cleaning caches,” “zapping the PRAM,” "resetting the SMC," “rebuilding the directory,” "defragmenting the drive," “running periodic scripts,” “dumping logs,” "deleting temp files," “scanning for viruses,” "purging memory," "checking for bad blocks," "testing the hardware," or “repairing permissions.” Such measures are either completely pointless or are useful only for solving problems, not for prevention.
    The very height of futility is running an expensive third-party application called “Disk Warrior” when nothing is wrong, or even when something is wrong and you have backups, which you must have. Disk Warrior is a data-salvage tool, not a maintenance tool, and you will never need it if your backups are adequate. Don’t waste money on it or anything like it.

  • Migrating from ICM scripts to CVP-VXML Apps

    Good day all.
    Currently we are running on:
    ICM 7.2
    CVP 4.1
    CUCM 6.
    Call flow: using ICM-Script Editor
    Applications: Using apps deployed on CVP-VXML server. they are called in ICM scripts.
    Well my dilemma is this. We have planned to move all call flows from ICM-Scripts to Call Studio based apps/Scripts.
    Now I have studied Call studio and VXML flows, and know that CallStudio/VXML scripts can be run directly from Gateway->ICM->CVP/VXML or in the traditional way called in ICM script.
    If we deploy a full Standalone model with ICM lookup (no ICM scripts involved) then how is call queing for SkillGroups/agent transfers handled? do call studio based scripts have the capability, or will we have to include ICM scripts for this?
    Secondly, when migrating from ICM scripts to Standalone+ICm lookup model, the current gateway configurations (ie apps, Dial plan and Dial plan to script matching for EACH dialed number) will have to be reconfigured? So as the Dialled number will directly translate to the IVR menu on VXML script?
    Need expert inputs on this.
    Regards,
    AAK.

    Hi Asif,
    When you use the CVP as Standalone model, its purely for SelfService, Queuing is not possible even if you use Standalone with ICM Lookup. There is no concept of SkillGroups using CVP as Standalone
    After the self service treatment is done, you can either transfer the call to CUCM or TDMACD
    If you need queuing, you have to go for Comprehensive model.
    If you want to go for a StandAlone Model, You will need to configure the Application Name, VxmlServer everything in the Gateway. Have a look at the config guide for CVP Standalone section
    http://www.cisco.com/en/US/docs/voice_ip_comm/cust_contact/contact_center/customer_voice_portal/cvp4_1/configuration/guide/cvp41cfg.pdf
    Regards,
    Senthil

  • How do I keep BI Publisher running when I log out of the console in linux?

    I am using the standalone version of BI Publisher and I want to keep it running even after I log out of the console. I have a script that starts it so I typed 'nohup start_bipub.sh &' but when I log out it shuts down anyway. I started my apache server the same way and it still runs after I log out so the only thing I can think of is that X is being killed due to the logout and BI Pub needs it. Is there anyway to keep this process running?
    Thanks,
    Denise

    It depends on the data path from the tower you're using, through NATs and many routers, all the way back to the server. Which depends on your current location and sheer luck.
    For some users, the data path stays alive for 30-45 minutes at a time... thus the phone only has to ping the server that often for push to work. Their push doesn't use much battery.
    Other users have the misfortune of being connected via pathways that only keep a connection alive for 5-10 minutes. Their iPhones eat battery like crazy, and they usually end up switching to a 15-30 minute timed fetch instead.

  • Why does my ipad1 keep closing apps

    My iPad keeps closing apps unexpectedly including safari what's up?  Please help

    Try closing programs that are running in the background.
    1. Double-click the Home button
    2. Hold on to any icon until the minus sign appear
    3. Hit the minus sign to close Apps

  • Is it possible to install iWork '13 and keep iWork '09 running too?

    Is it possible to install iWork '13 and keep iWork '09 running too?
    Everyone is saying how 'dumbed down' the new versions of Keynote, Numbers and Pages are...is there a way to test out the new programs without overriding the '09 versions? If I open up the App Store it just says I need to update and I fear this will wipe out iWork '09 completely but I read somewhere it was possible to have both...?

    When you download the new iWork IOS versions, the previous versions of iWork applications go into a folder in you Applications Folder called, "iWork '09".  To keep using the old versions with your old files, first start the old applications and then open the file from within the program.  If you double-click your old files they will be opened (and converted) to work with the new applications....and won't be open-able by your old applications afterward.

  • Someone gave me an ipad can I keep the apps and sync with my iTunes?

    Someone gave me an iPad 2 and I was wondering if I sync it with my computer is there a way to keep the apps that are currently on the iPad?

    You need to update to the latest iOS 5.1.1.
    See iOS: How to update your iPhone, iPad, or iPod touch
    http://support.apple.com/kb/HT4623
    If you are currently running an iOS lower than 5.0, connect to your computer & click on the "Update your device using iTunes".
    Tip - Disable your firewall and anitvirus software temporarily.  Then download and install the iOS update. After you update to iOS 5.x, the next update can be installed via wifi (i.e., not connected to your computer).
    You can download a complete iPad User Guide here: http://manuals.info.apple.com/en/ipad_user_guide.pdf
    Also, Good Instructions http://www.tcgeeks.com/how-to-use-ipad-2/
    Apple - iPad - Guided Tours
    http://www.apple.com/ipad/videos/
    Watch the videos see all the amazing iPad apps in action. Learn how to use FaceTime, Mail, Safari, Videos, Maps, iBooks, App Store, and more.
    How to - Articles & User Guides & Tutorials
    http://www.iphone-mac.com/index.php/Index/howto/id/4/type/select
    iPad How-Tos  http://ipod.about.com/lr/ipad_how-tos/903396/1/
    You can download this guide to your iPad.
    iPad User Guide for iOS 5
    http://itunes.apple.com/us/book/ipad-user-guide-for-ios-5/id470308101?mt=11
     Cheers, Tom

  • Apps run automatically - turn off? How to close app w/out Close option?

    I am running two apps I want to close and only run when I choose them.
    One (The Missing Sync) at least has a Close option, which works. So I can at least get that out of my running apps list.
    The other (Funambol Sync) doesn't even have a Close option!
    When I do a battery pull, BOTH run automatically so they're back in memory!
    1) How do I control which apps run automatically after a battery pull?  If I can keep them from re-running, at least I can control my memory by doing a battery pull.
    2) Any ideas on how to close Funambol Sync or any other app that has no "Close" option on its menu? I've put in a messsage to those guys but no answer so far.

    I have been told that BB does not have a central place where all auto-run apps are listed/controlled.
    Apparently each app does its own specification re auto-running, and so must be controlled one-by-one.
    For at least one of these (Funambol Sync), the only option finally available was to just delete it, which is what I did. As long as the other one "plays nice", it can stay!

  • TrackPad not working unless "Diagnostic Tests" app running in background

    My Torch 9810 TrackPad stopped working... I had downloaded the BlackBerry 7 OS free apps including those that provide "notifications" and "text to speech" and "speech recognition" capabilities that I don't mind having to fool around with, but I don't want to use all the time... they tend to take over buttons and configuration too much, so in my efforts to remove them or at LEAST get them to stop activating every time my BB moves in my pocket I was uninstalling things. I was told I had to reboot the device, and after doing so, the trackpad would not work.
    So I go back and restore my backup... and the trackpad works... briefly: all the restored apps start asking for permissions etc. and run their configuration wizards whatever and then the trackpad stopped working again.
    I've tried restoring AGAIN and have even downgraded the OS to get back to a "more stable" configuration with NO third-party software installed and no luck.
    At this point, the trackpad does NOT work at all in any apps. I'm sure this is a software-related problem and not that the trackpad itself is broken and needs replacement.
    I've used BBSAK to try to lobotomize it back to total "factory default" but that didn't work either.
    I want to rule out a hardware failure (I'm SURE this is just software related, because it happened after a reboot and there had been no problems prior to this) So today I visit the BlackBerry.com website and search for "trackpad"
    I get "trackpad not working" as the first result.
    "TrackPad Not Working" KB article
    At the very bottom of the page is a link to the "Device Self Test Application" instructions at:
    "Diagnostic Self Tests" KB Article
    So as soon as I start in with the Diagnostic Self Test app, it asks "Do you want a guided setup" and shows "Yes" and "No" buttons. Instinctively I try to use the TrackPad to navigate to "No" because I just want the trackpad diagnostic, and... the trackpad works.
    I exit the "Diagnostic" app and go back to my home screen and it works again... briefly...
    I re-enter the diagnostic app, the trackpad works, then I long-press the Menu key to go to different apps, and the trackpad continues to work.
    So, it seems like keeping the 'Diagnostic Self Test' app running in the background is 'propping up' the TrackPad so it works, but when I exit the Diagnostic app, it stops working.
    Also, the back of the device seems warmer than usual, as if the CPU is being driven hard.
    I'm wondering if some rogue app might be crippling the TrackPad? And the Diagnostic Self Test app is somehow pushing the rogue app aside but the rogue app is "waiting as hard as it can" and driving the CPU hard?
    Yeah, I'm grasping / speculating / making stuff up, but maybe someone can decipher what I'm saying and give me some clues?
    If there's a "end user totally restore the firmware to a factory configuration" that will likely resolve this issue, I'm capable enough to try it rather than be without the trackpad (or the device being repaired under warranty) for days.

    Note: I decided to try exiting the Diagnostic Self Test app to see if the TrackPad would stop working... or if using a specific app made it stop working... and after doing so, then rebooting etc. the TrackPad has now been working for many hours: dare I try to reinstall some of the apps I removed?

  • I have just bought a used 2009 macbook pro, I have updated to OS X but I am completely new to mac, are there any fairly priced utility softwares out there which will help me keep my mac running smoothly?

    I have just bought a used 2009 macbook pro, but I am new to computing and mac so can anybody please tell me if there is reliable software that will help me keep my macbook running at its best without breaking the bank?

    In General 3rd Party AV Software and Cleaning Utilities tend to cause More Issues than they claim to fix...
    They are Not Required...
    Mac OS X tends to look after itself.
    See  >  Mac OS X Built in Security  >  http://www.apple.com/osx/what-is/security.html
    More Info Here  >   https://discussions.apple.com/thread/4545776?tstart=0
    The Safe Mac  >  http://www.thesafemac.com/mmg/
    To keep your Mac Happy...
    Have a look here  >  http://pondini.org/OSX/Scripts.html
    More Info Here  >  The myth of the dirty Mac

  • My iPad keeps reinstalling Apps on subsequent syncs that were originally successfully deleted by unchecking the App box in iTunes

    I'm having problems with iTunes reinstalling Apps that I want on my iPhone, but not my iPad. Furthermore, my household uses home sharing and if an App is on one iPad, iTunes puts it on all the devices. I found that if if I'm in iTunes with the iPad connected, I can delete Apps by unselecting the box for the App and then syncing it. All unselected Apps will be deleted this way, but that's where my problem starts. With the very next sync, all of the previously deleted Apps are then reinstalled. It seems that as long as the App is in my library, iTunes will reinstall it. I tried deleting the Apps directly from the device, and they're still reinstalled. The only way I can delete the Apps successfully is by deleting the App by unchecking the box and then syncing. Then I must delete the App from all devices in my home sharing network as well as my library. Here is where it really gets frustrating. If I want the App back on my iPhone by reinstalling it directly to the iPhone, iTunes will add it back  it to my iPad with the next sync.  My only option so far seems to be  to keep the Apps on all my devices, or none of my devices. To make matters worse, I have many of my daughter's Apps on my iPad and she has many of mine on her Mini-iPad (because of  home sharing). Any help will be greatly appreciated.

    I've been having the same problem with my iPad most recently, and I think I may have an answer.  I have a lot of apps installed and more that are not installed. I sync with iTunes once every few months; however, I regularly update my apps directly on the iPad.  Whenever I sync with my computer, iTunes will copy the latest purchases from my iPad (including the latest updates) to the computer.
    What I've noticed is that iTunes only copies a few apps at a time.  I'm guessing this is to speed up the syncing process.  Every time I press Sync, even just having completed a sync, iTunes finds some more apps to copy over from the iPad.  Imagine with 50 apps updated on the iPad since the last install, even if iTunes copies 10 apps per sync, it still takes 5 syncs to copy over all of the apps.  I've also noticed that every time I try to remove an app when iTunes is going through these rounds of copying from the iPad, my removed apps get reinstalled.
    The solution: sync iTunes repeatedly until it has copied all apps from the iPad to the computer. Only once that has been completed should you try to remove the apps you no longer want on your iPad.
    Hopefully this will all be taken care of with iOS 5 and the wireless syncing!

  • Queries related to APP run and Configuration

    Hi All,
    i would like to know few in APP run..
    Can we make partial payments through APP? if yes how can it be configured?
    on what basis the APP proposal picks open items from vendor items?
    some times system showing the items in Exceptions list, there we have to double click on each line item and need to reallocate to payment method and house bank id and account id....hence after selecting this record how can we exclude this record?
    some times system is not picking all the due items of a vendor, then how can we add more items for the payment proposal, those items are not even in exceptions list?
    any one please guide me in this, hence it was a urgent requirement for my client....
    SRINU

    Hi Srinu,
    In APP run partial payment is possible
    For that u can configure OBB8 and OBB9 
    There u configure terms of payment &installment
    in OBB8 you have to select Installment payment check box ofter that OBB9 give intervals of partial payments
    Now system will give the partial payment through APP
    Exception
    for that go through edit proposal there, select which one u dont want to pay and  give the payment block next system doesnt pay that invoice
    some times system doesnt pay the vendor due line item
    for that you delete the uncompleted proposals through in run date click F4 button we can able to see those proposals
    If u have any doubt feel free to ask
    Regards
    Surya

Maybe you are looking for

  • Long Text not visible in XD03

    I create a long text using 'SAVE_TEXT' but when I go to XD03 it is not there. When I run 'READ_TEXT' I can then see the text. How do I see the text in the transaction XD03? I did put an 'X' in the 'INSERT' field of 'SAVE_TEXT' function module, but th

  • Connecting to SAP from Web Dynpro

    Hi, I am new to web dynpro, but have downloaded the java sneak preview edition and worked through it a bit. I understand that we have to use JCo to connect to SAP from Java Web dynpro, . Is it true? What about web dynpro for ABAP? Can we use normal s

  • What's new in Photoshop CS6 for an enthusiastic amateur?

    Is there anything in CS6 to interest an enthusiastic amateur or should I stay with my CS5.1?

  • Safari Crashes when opening site

    Help... I'm a complete Mac noob (computer is less than a week old). Trying to access our city website: http://www.cityoflakeforest.com/cs/fin/cs_fin2b1.htm. Safari crashes with the following error report. Website will open fine in windows and with Ca

  • Photomerge in PS CS (v.8): how to zoom out?

    I use Photoshop CS (v.8.0) on a Mac G4 (PPC) with OS X 10.4.11. When I use Photomerge and get to the screen in which my two (or more) images can be joined, I see the zoom-in tool (and this works perfectly well) but I cannot find either a key-combinat