Changing values in checkboxes via Applescript: A better? solution

I was trying to un-check all the marked checkboxes in a table using Applescript. Failed. Came in here and found a solution. It involved running a CLEAR on the cell. It worked, but it also cleared things I didn't want cleared (the background). So I found an alternative method:
tell cell ThisRow of column ThisColumn
set TrueFalse to Value
if TrueFalse then
set format to number
set value to false
set format to checkbox
end if
end tell
Just thought I'd share.

As the first message in this thread was linked to AppleScript, here is a script designed to uncheck the two columns of checkboxes.
--[SCRIPT uncheckcheckedboxes]
Enregistrer le script en tant que Script : uncheckcheckedboxes.scpt
déplacer le fichier ainsi créé dans le dossier
<VolumeDeDémarrage>:Users:<votreCompte>:Library:Scripts:Applications:Numbers:
Il vous faudra peut-être créer le dossier Numbers et peut-être même le dossier Applications.
sélectionner la première case à cocher qui doit être traitée.
aller au menu Scripts , choisir Numbers puis choisir uncheckcheckedboxes
Le script décoche toules les cases cochées dans la colonne pointée et dans la seconde colonne à sa droite.
--=====
L'aide du Finder explique:
L'Utilitaire AppleScript permet d'activer le Menu des scripts :
Ouvrez l'Utilitaire AppleScript situé dans le dossier Applications/AppleScript.
Cochez la case "Afficher le menu des scripts dans la barre de menus".
Sous 10.6.x,
aller dans le panneau "Général" du dialogue Préférences de l'Éditeur Applescript
puis cocher la case "Afficher le menu des scripts dans la barre des menus".
--=====
Save the script as a Script: uncheckcheckedboxes.scpt
Move the newly created file into the folder:
<startup Volume>:Users:<yourAccount>:Library:Scripts:Applications:Numbers:
Maybe you would have to create the folder Numbers and even the folder Applications by yourself.
Select the first checkbox which must be treated.
go to the Scripts Menu, choose Numbers, then choose "uncheckcheckedboxes"
The script uncheck every checked cells in the pointed column and in the second column to the right.
--=====
The Finder's Help explains:
To make the Script menu appear:
Open the AppleScript utility located in Applications/AppleScript.
Select the "Show Script Menu in menu bar" checkbox.
Under 10.6.x,
go to the General panel of AppleScript Editor’s Preferences dialog box
and check the “Show Script menu in menu bar” option.
--=====
Yvan KOENIG (VALLAURIS, France)
2010/10/10
--=====
on run
Grab the parameters defining the first checkbox cell *)
set {dName, sName, tName, rname, rowNum1, colNum1, rowNum2, colNum2} to my getSelParams()
if colNum2 = colNum1 then set colNum2 to colNum1 + 1
tell application "Numbers" to tell document dName to tell sheet sName to tell table tName
Extract the values of cells of three columns :
first checkboxes one, intermediate one and second checkboxes one. *)
set touteslesvaleurs to value of cells colNum1 thru (colNum2) of rows rowNum1 thru -1
set r to rowNum1
repeat with une_reference in touteslesvaleurs
If a box is checked, uncheck it.
If itsn't or if the cell doesn't contain a checkbox, skip it *)
set trois_valeurs to contents of une_reference
if item 1 of trois_valeurs is true then
tell cell r of column colNum1
set format to text
set value to false
set format to checkbox
end tell
end if
if item 3 of trois_valeurs is true then
tell cell r of column (colNum2)
set format to text
set value to false
set format to checkbox
end tell
end if
set r to r + 1
end repeat
end tell
end run
--=====
set {rowNum1, colNum1, rowNum2, colNum2} to my getCellsAddresses(dname,s_name,t_name,arange)
on getCellsAddresses(d_Name, s_Name, t_Name, r_Name)
local two_Names, row_Num1, col_Num1, row_Num2, col_Num2
tell application "Numbers"
set d_Name to name of document d_Name (* useful if we passed a number *)
tell document d_Name
set s_Name to name of sheet s_Name (* useful if we passed a number *)
tell sheet s_Name
set t_Name to name of table t_Name (* useful if we passed a number *)
end tell -- sheet
end tell -- document
end tell -- Numbers
if r_Name contains ":" then
set two_Names to my decoupe(r_Name, ":")
set {row_Num1, col_Num1} to my decipher(d_Name, s_Name, t_Name, item 1 of two_Names)
if item 2 of two_Names = item 1 of two_Names then
set {row_Num2, col_Num2} to {row_Num1, col_Num1}
else
set {row_Num2, col_Num2} to my decipher(d_Name, s_Name, t_Name, item 2 of two_Names)
end if
else
set {row_Num1, col_Num1} to my decipher(d_Name, s_Name, t_Name, r_Name)
set {row_Num2, col_Num2} to {row_Num1, col_Num1}
end if -- r_Name contains…
return {row_Num1, col_Num1, row_Num2, col_Num2}
end getCellsAddresses
--=====
set { dName, sName, tName, rname, rowNum1, colNum1, rowNum2, colNum2} to my getSelParams()
on getSelParams()
local r_Name, t_Name, s_Name, d_Name
set {d_Name, s_Name, t_Name, r_Name} to my getSelection()
if r_Name is missing value then
if my parleAnglais() then
error "No selected cells"
else
error "Il n'y a pas de cellule sélectionnée !"
end if
end if
return {d_Name, s_Name, t_Name, r_Name} & my getCellsAddresses(d_Name, s_Name, t_Name, r_Name)
end getSelParams
--=====
set {rowNumber, columnNumber} to my decipher(docName,sheetName,tableName,cellRef)
apply to named row or named column !
on decipher(d, s, t, n)
tell application "Numbers" to tell document d to tell sheet s to tell table t to ¬
return {address of row of cell n, address of column of cell n}
end decipher
--=====
set { d_Name, s_Name, t_Name, r_Name} to my getSelection()
on getSelection()
local _, theRange, theTable, theSheet, theDoc, errMsg, errNum
tell application "Numbers" to tell document 1
repeat with i from 1 to the count of sheets
tell sheet i
set x to the count of tables
if x > 0 then
repeat with y from 1 to x
try
(selection range of table y) as text
on error errMsg number errNum
set {_, theRange, _, theTable, _, theSheet, _, theDoc} to my decoupe(errMsg, quote)
return {theDoc, theSheet, theTable, theRange}
end try
end repeat -- y
end if -- x>0
end tell -- sheet
end repeat -- i
end tell -- document
return {missing value, missing value, missing value, missing value}
end getSelection
--=====
on parleAnglais()
local z
try
tell application "Numbers" to set z to localized string "Cancel"
on error
set z to "Cancel"
end try
return (z is not "Annuler")
end parleAnglais
--=====
on decoupe(t, d)
local oTIDs, l
set oTIDs to AppleScript's text item delimiters
set AppleScript's text item delimiters to d
set l to text items of t
set AppleScript's text item delimiters to oTIDs
return l
end decoupe
--=====
--[/SCRIPT]
Yvan KOENIG (VALLAURIS, France) dimanche 10 octobre 2010 16:33:28

Similar Messages

  • Change characteristic values in SO via BAPI_SALESORDER_CHANGEBOS

    Hi Experts,
    Now, I would like to update the characteristic values of configuration in sales order via BAPI : BAPI_SALESORDER_CHANGEBOS. But, I can't find right way to execute this BAPI. I tried so many times and no data changed. I wonder that i didn't specify the correct import parameters.
    Is anyone can help me? Thanks for your kindly support in advance.
    Best Regards,
    Ryan

    Hi Ryan,
        I had a similar kind of requirment, to change the characteristic values in a sales contract, where I used, BAPISDORDER_GETDETAILEDLIST to get the details of the agreement line iteam and after sorting the necessary vales then used BAPI: BAPI_CUSTOMERCONTRACT_CHANGE to change the customer agreement line item.
    In your case as well you can use the BAPISDORDER_GETDETAILEDLIST to get the details, based on this you write logic to hold the necessary change value and finally, use BAPI: BAPI_SALESORDER_CHANGE to updated the changes in the sales order.
    Hope this helps.
    Regards
    Raj

  • Changing open() flag  FNDELAY via fcntl(). How to know new value?

    When driver executes open (man -s9e open) entry program it knows open mode
    "flags" such as FEXCL, FNDELAY, FREAD, WRITE. But after open was made these
    parameters can be changed by user application via fcntl() (man -s2 fcntl)
    call.
    How to know from driver the new values of these parameters? How to know
    the moment of changing?
    Thank you.

    Just I found that current mode is in uio_fmode field of uio structure (man -s9s uio).
    But how to obtain the moment of changing?
    Thank you.

  • Change value via Iterator

    Hi,
    i have a code:
    Iterator<? extends LatLon> foobar = subsetBuffer.getLocations().iterator();
                    while(foobar.hasNext())
                        LatLon coo = foobar.next();
                        LatLon popcoo = XProj.GKSlo2WGS84(coo.getLatitude().getDegrees(), coo.getLongitude().getDegrees());
                        coo = popcoo;
                        System.out.println(popcoo);
                    }Where i get iterator and do something with its value (popcoo) and then i want to save that popcoo back to iterator. You know what i mean? I want to change value via iterator.
    Line coo = popcoo, doesn't work. How should i do that?

    Ivansek wrote:
    What if i have a iterator like this:
    Iterator<double[]> foo2 = subsetBuffer.getCoords().iterator();
    if i say here foo2.next()[0] = 2, the value doesn't write back into that variable.Yes, that change will be reflected in your original collection.
    What you seem to be confusing is that in one case you would like to change the collection to contain a different object, while in the other case you want to modify an object that is contained in the collection:
    Can i somehow transform double[] data type to Double[]? You can't, except by creating a new Double-array, so you couldn't influence the original object in any way.
    Then i could change a value, right?No, there's no difference between double and Double in this respect.

  • Set a default value to checkbox on Active Directory form

    Hi all
    how to set a default value to checkbox UD_ADUSER_MUST on Active Directory form?
    I set the value 1 on the column default value (ADUSER form), i try the provisioning resource AD to the user and this field is not selected.
    please help me.

    hi
    My problem is solved, I tried to change the default form ADUSER, but this value was overridden by the policy form.
    I set this value in the policy form.
    thanks

  • I want better solution for adjusting the Material stock values for the last

    my Customer  need to adjust( Decrease)  the closing stock values for the following materials / plant wise as on 31.03.2006 for meeting statuary compliance.
    Material1 :  RS: 4149599    QTY : 10181.03 Ltrs
    Material 2  : RS: 1318596     QTY:  2152.76   Ltrs
    As per my knowledge MM posting periods can open current month and Previous month only. For the reason I proposed the solution as follows:
    Step 1 : post FI Journal Entry on 31.03.2006
    Opening Balance G/L  Account Dr 4149599 + 1318596
    Closting Stock a/c                      Cr 4149599 + 1318596
    Step 2.
    Change the Material Price in MM through T.Code: MR21
    ( Posting will be allowed in current or previous months)
    This makes our CO reports accurate.
    Please  suggest the better solution if it is possible in MM for adjusting the Material stock values for the last financial year.
    WIth Best Regards,
    Rajesh
    <b></b>

    Hi Madhavan,
    Unfortunately this forum deals with migrations from non-Oracle
    environments to Oracle. You seem to be dealing with migrations in
    an Oracle environment mainly.
    I would recommend that you contact Oracle Applications and RDBMS
    support directly. They will have the most up to date
    information/advice on performing these actions.
    Regards
    John
    Madhavan (guest) wrote:
    : Hi John
    : Thanks for your reply.
    : Actually I am planning to upgrade the system.
    : 1. I Want to Upgrade Oracle Financials release 10.7 to the
    : latest version (11.x)
    : 2. Oracle 7 database to oracle 8 or 8i.
    : 3. Oracle is running on NT service pack 3. Do I need to upgrade
    : this?. If not what is the impact on Windows NT?
    : 4. Is the majority still running smart client 10.7 and database
    : 7?
    : 5. What is the necessary time to implement these upgrades? What
    : type of consulting I need to have?
    : 6. I have some employees working on it? Will these changes
    : affect them?
    : What type of precautions I need to take on the whole??
    : Thank You
    : Madhavan
    Oracle Technology Network
    http://technet.oracle.com
    null

  • How to set value of checkbox 'Checked/On' in AD Resource form.

    Hello ,
    We have a checkbox on one field (Change password at next logon) in AD Resource form. We’ve set its value as ‘True’ in Create User process task .
    But the checkbox is not getting set as Checked. We need to set this check box ON when a new a user account is created in AD.
    How can we set its value ? Do we need to make a prepopulate adapter for this or any process task?
    Kindly throw some light on this.
    Thanks

    Thats what we did earlier.
    'Password never expires' value was '0' and 'Password Must Change' value was '1'. Even then also I was not able to get the checkbox On.
    It should have worked that way but I am not able to get the clue.

  • Best approach to change values in .properties file dynamically

    Hi ,
    I am using Jdev 11.1.1.5 . I wanted to change the values used in .properties file (like say a fe email addresses which happen to be different for Test/Prod/Dev instances) dynamically using something like a deployment plan.
    One way to do the same is to include it in a shared libary and do a one -time deployment to the server.
    Are there any better ways like a deployment plan , which unfortunately I think can change values dynamically on for web.xml , weblogic.xml type of files.

    I am using a shared library which takes care of the cases mentioned above.

  • Server Push Notification via Applescript

    I am running a Mac Mini Server 10.9.
    I know that I can display a system notification by via AppleScript by doing:
    display notification "Lorem ipsum dolor sit amet" with title "Title"
    However; I would like to push a custom notification down to my iCloud enabled devices using Apple's Notification Protocol, bundled with server.
    For example purposes- My server is on a public IP address, which is dynamic. If it changes, I have a bash script setup to send me an email with the new IP address. I was hoping to utilize Apple's Notification tools to provide a more elegant solution for accomplishing these type of notifications.
    Thanks in advance for any insight.

    Dimiter Dimitrov
    For push notification, you have to use security profile as "Notification" and have to add required role as "Notification User". You can also add other authentication providers as you mentioned for MYSAPSSO2.
    Settings>Security profiles>Notification(Cannot be deleted)
    For APNs traffic to get past your firewall, you'll need to open these ports:
    TCP port 5223 (used by devices to communicate to the APNs servers)
    TCP port 2195 (used to send notifications to the APNs)
    TCP port 2196 (used by the APNs feedback service)
    TCP Port 443 (used as a fallback on Wi-fi only, when devices are unable to communicate to APNs on port 5223)
    Send Push Notifications to the Device
    Enabling Apple Push Notifications (APNS)
    Regards,
    JK

  • How to auto log in via applescript?

    I have no idea how to do it? do I need to curl, change html and post? but how do i post then? or how can i fill in password and log in on the safari page via applescript GUI scripting and press enter? I am just so confused right now:(

    I have no idea how to do it? do I need to curl, change html and post? but how do i post then? or how can i fill in password and log in on the safari page via applescript GUI scripting and press enter? I am just so confused right now:(

  • Can't change budget  for IO via KO22

    Hi, when I tried to display or change the IO budget via tcode KO23 or KO22 , respectively, I got the below error mesg:-
    No update in foreign currency planned for controlling area CRTL
    Message no. BP414
    Diagnosis
    In budget profile Z00000 assigned to the object to be processed, "user-selected currency" or "object currency" was chosen as budgeting currency.
    This means that budget values can be entered in currencies deviating from the controlling area currency.
    In controlling area CRTL, however, you have not set the control indicator "All currencies" for all fiscal years that can be budgeted due to the budget profile settings.
    In the case of budgeting of overall values, the indicator must be set for the year of the value date maintained in the budget profile.
    System response
    No budget values can be entered.
    Procedure
    Set the control indicator "All currencies" in controlling area CRTL for all fiscal years.
    How should I go about resolving this issue?
    Edited by: Quek Ethan on Apr 13, 2009 10:52 AM
    Edited by: Quek Ethan on Apr 13, 2009 10:52 AM

    Hi Reddy,
    I only changed the Budgeting Currency to Controlling area currency & then it works. Why can't I leave the budgeting currency = Transaction currency? what's the difference?
    I tried other IOs with a different Order type but it didn't give me the same problem. Is there some config that is tied to the IO type?
    Best Regards,
    Ethan Quek
    Edited by: Quek Ethan on Apr 13, 2009 4:05 PM

  • Change paper type (A4) via JavaScript

    Hi all,
    I want to change the paper type via Java Script to A4.
    The hierarchy:
    data  -->pageSet -->page1 (A4)
    Is this the right syntax, if I want ot switch the page1 to A4? ...and which "Event" should I use? --->initialize?
    data::initialize - (JavaScript, both) 
    xfa.data.pageSet.page1.medium.stock = "A4";

    Hi
    Are you trying to change the size on the fly for different values for instance.
    Or is this simply ensureing the page is formatted correctly when the document is opened?
    I could not get your code to work
    but this code appears to work OK
    xfa.form.form1.pageSet.pageArea.medium.stock = "A4";
    Hope this helps
    Graham Spaull
    DubDubDubDesigns.co.uk

  • Changing the Registration point via AS3 . how?

    hello,
    is it posseple to change the Registration point via AS3 ?
    Best Regards,
    Crimson

    The Attach Code window isn't working for me on this so I
    pasted the code into the message. Hope the formatting remains
    reasonable.
    public class HomePage extends MovieClip {
    public var frenchieReal:Swimmer; //Swimmer extends
    MovieClip; contains image of French Angel
    public var frenchie:Sprite; //To offset regisration point of
    frenchieReal
    public function loadStage() {
    var timer:Timer;
    var wayPoints:Array;
    //Establish timer for swimmers
    timer = new Timer(100, 0);
    //Create new swimmer supplying: image path, width, heigth,
    and initial x and y location
    frenchieReal = new Swimmer("Photoshop/oceanswimmer.png", 57,
    41, -24, -28);
    frenchie = new Sprite();
    frenchie.x = 244;
    frenchie.y = 532;
    this.addChild(frenchie);
    frenchie.addChild(frenchieReal);
    frenchieReal.setTimerListener(timer);
    //Set waypoints for swimmers
    wayPoints = [[230, 530],
    [240, 520],
    [250, 500],
    [260, 480],
    [298, 480],
    [358, 540],
    [368, 544],
    [388, 520],
    [398, 495],
    [404, 475],
    [420, 500],
    [458, 545],
    [528, 550]];
    frenchieReal.setPath(wayPoints);
    package {
    import flash.display.MovieClip;
    import flash.events.*;
    import flash.utils.Timer;
    import flash.net.*;
    import flash.display.*;
    public class Swimmer extends MovieClip {
    private var path:Array;
    private var pathLength:uint;
    private var pathLocation:int;
    private var loader:Loader;
    private var intercept:int;
    public function Swimmer(imagePath:String, w:uint, h:uint,
    xx:uint, yy:uint) {
    var urlRequest:URLRequest;
    this.x = xx; //Transaltion offsets for image MovieClip (eg,
    -24 and -28)
    this.y = yy; //Image is visible if these two values are
    nonnegative
    this.loader = new Loader();
    this.addChild(this.loader);
    urlRequest = new URLRequest(imagePath);
    if (urlRequest != null) this.loader.load(urlRequest);
    //Sets an array of waypoints
    public function setPath(p:Array) {
    this.path = p;
    this.pathLength = p.length;
    this.pathLocation = 1;
    this.parent.x = this.path[0][0];
    this.parent.y = this.path[0][1];
    this.intercept = -this.parent.y;
    public function setTimerListener(t:Timer):void {
    t.addEventListener(TimerEvent.TIMER, timerListener);
    //this.parent in timerListener is the Sprite object to which
    image MovieClip is parented
    function timerListener(e:TimerEvent):void {
    var i:int;
    var iMinus1:int;
    var xx:int;
    var y1:int;
    var y2:int;
    var rise:int;
    var run:int;
    var rotationAngle:int;
    if (this.path != null) {
    //Move to next segment?
    if (this.parent.x >= this.path[this.pathLocation][0]) {
    this.pathLocation++;
    //Go back to first segment?
    if (this.pathLocation == this.pathLength) {
    this.pathLocation = 1;
    this.parent.x = this.path[0][0];
    this.parent.y = this.path[0][1];
    this.intercept = -this.parent.y; //Minus y to translate
    everything to lower quadrant
    //y = ax + b
    //y = ((path
    [1] - path[i-1][1]) / (path[0] - path[i-1][0])) * this.x +
    path[i-1][1]
    i = this.pathLocation;
    iMinus1 = i - 1;
    this.parent.x += 2;
    xx = this.parent.x - this.path[iMinus1][0];
    y1 = -this.path[iMinus1][1];
    y2 = -this.path
    [1];
    rise = y2 - y1;
    run = this.path[0] - this.path[iMinus1][0];
    this.parent.y = ((y2 - y1) / (this.path
    [0] - this.path[iMinus1][0])) * xx + intercept;
    this.parent.y = -this.parent.y;
    rotationAngle = -(180/Math.PI) * Math.atan2(rise, run);
    this.parent.rotation = rotationAngle;
    trace("rise = " + rise + " run = " + run + " rotationAngle =
    " + rotationAngle + " Intercept = " + this.intercept);
    trace("x = " + this.parent.x + " y = " + this.parent.y + "
    rotation = " + this.parent.rotation);

  • Hot Corner as Droplet via AppleScript?

    Hi there,
    Could it be technically possible to make hot corner run as a droplet? It's feasible to open applications, files, scripts etc from hot corners by using programs like cornerclick, butler etc but none of them has any support for drag and drop. Has AppleScript means to do that? For example this would be by far the fastest way to tag and copy an image(via automator workflow) from Safari, Finder etc by requiring almost no precision compared to bringing up hidden dock and aiming for specific icon(droplet).
    Thanks,
    Üllar

    Till now I was using download folder to drop images and folder action was monitoring for any new files then to be opened with tagging application as HD suggested. The problem was that this method was not instantaneous and sometimes could skip quite a many images when they were added too fast. Save Image to "Downloads" would be even better solution compared to dragging, but somehow it skips the Where from: address info and I had to create an Automator workflow which inserts source URL from Safari into file spotlight comments, but also this folder action was sometimes very slow to react and the page in Safari was closed.
    iPhoto is too heavy/slow program which I would avoid from my workflow. I was looking into it only to see how it is getting around the sandboxing, but I guess it's only due to being Apple's own product so no avail.
    I have managed to find a workaround but it's ridiculously complex though quite fast. It uses six! different applications so it's far from straightforward. First the BetterTouchTool translates double triple tap on an image into keyboard shortcut which is picked up by QuicKeys which simulates drag and returns the cursor to original location, it needs 0.3s delay before release so it's almost instantaneous. Of course if the droplet is in the dock, its position is not static and in full screen mode, the dock is also hidden which could complicate things further(that's why I was asking for HotCorner droplet). So DragThing came to help. It's meant for additional docks, docklets etc. I just created one icon dock(only appearing when Safari is frontmost) in the corner and it's smart enough to also read image files dragged from Safari. After the drop it runs Automator workflow which copies dragged file to Download folder and opens it in TagIt, which I use for tagging. Up pops a little window and with few keystrokes it suggests already used tags so I can just press enter/space. After that Hazel will check for openmeta tags(unfortunately not availabel in Automator workflows) and moves them to designated folder. All this takes little more than a second of user intervention, most of it to insert tags.
    Advantage of using tags to folders is of course the ability to have many different criteria for one single file, which makes looking for a specific file a breeze in spotlight when the collection reaches to a size of a database.
    I hope somebody can find something useful from this workflow. Thanks again for the feedback.

  • Change value of option button (OLE object) in Microsoft Word file

    Hi guys,
    I would like to convert a macro from VBA to AppleScript. Unfortunately, I'm the beginner of AppleScript and I don't know how to change value of an option button in Microsoft Word.
    For example, I have an option button with 2 options (group name = question413) Yes and No. Now, I would like to open Word file, then change value of option button with group name "question413" to Yes. Below is my code in VBA.
    SetOptionButton "question413", "Yes"
    Public Sub SetOptionButton(GroupName As String, Value As String)
    Dim oShape As Word.InlineShape
    For Each oShape In ActiveDocument.InlineShapes
    If oShape.OLEFormat.ProgID = "Forms.OptionButton.1" Then
    If oShape.OLEFormat.Object.GroupName = GroupName Then
    If oShape.OLEFormat.Object.Caption = Trim(Value) Then
    oShape.OLEFormat.Object.Value = True
    Else
    oShape.OLEFormat.Object.Value = False
    End If
    End If
    End If
    Next
    End Sub
    How could I convert them to AppleScript?Any comments would be highly appreciated.
    Thanks,

    Hi
    Theirs a pretty in depth tutorial over at MACTECH, which I think will aid your in your code transition
    Moving from Microsoft Office VBA to AppleScript:
    MacTech's Guide to Making the Transition
    http://www.mactech.com/vba-transition-guide/index.html
    Budgie
    Message was edited by: Budgie
    Their is also the possibility you could use the "do Visual Basic" command, not to sure about thta though

Maybe you are looking for

  • I want to switch my Father to a Mac Mini this Christmas, but...

    I want to switch my Father to a Mac Mini this Christmas, but It's going to take some work. First, he does not use his pc for much. Microsoft Office (98 version), Quicken (2001 version), Outlookexpress, and Internet. OH and his favorite game the inter

  • Can we show 2 queries in a single query ?

    Hi experts, We require an output of a bex query. But the output is coming in two different queries. Is it possible to show two queries in a single query ? Regards, Nishuv.

  • Disable attachment option in Mail

    For security reasons, I would like to disable the attachment option in the Mail app in iPhone to prevent any data leakages. Is there such in-built capability or option where I can enforce such policy?

  • How should i set the baseURI when a db file path with a space

    if the db file in a path like c:\program file\myapplication,then i set the baseURI dbxml:c:\program file\myapplication ,some exception occur~what should i do ? thanks a lot

  • BPEL doesn't insert Date into BAM dataobjects

    I have integrated BPEL process to send data into BAM data objects. I can insert data into BAM successfully when I don't map "PO Creation date" (one of the field of payload--variableData--data) but it doesn't insert data when I map PO creation date. I