Help editing Specify script - font

Trying to edit Metaphorical.net's Specify script so the I can choose a specific font. It defaults to Myriad. I would think I need to change something under here:
  Create a text label that specify the dimension
function specLabel( val, x, y) {
  var t = doc.textFrames.add();
  t.textRange.characterAttributes.size = 8;
  t.textRange.characterAttributes.alignment = StyleRunAlignmentType.center;
Everything I tried doesn't work. Appreciate the help.
Thanks!

textRange.characterAttributes.textFont doesn't do it for you?

Similar Messages

  • Help identify this script font

    Love this one. Do you know what the name of this font is. It's "Member
    Benifits" in blue.
    I'd like to use it for a restaurant menue I'm designing.
    http://www.autoclubgroup.com/chicago/travel/guide/a6-benefits.asp?zip=60714
    Thanks a lot in advance

    You're welcome, Serge.
    And feel free to turn off the Auto-Quoting feature of your newsreader client. It's usually not necessaryespecially in short threads like this onehere in the forums because most folks visit with a browser, and it's certainly not needed just to express your appreciation. If you'd like to quote a previous reply in order to make yourself understood, please do so manually.
    Thanks!

  • I have created an editable PDF via Adobe Indesign. When I open the PDF in Adobe Acrobat Pro DC, is there a way to specify a font style? Or is there a way in InDesign to make sure when someone type in that text field it is a certain font?

    I need to make sure the text that is entered is a certain font to keep it continuous with the rest of the document. Thank you!

    To go into form editing mode, select "Prepare Form" in the right hand pane. You'll then get a toolbar along the top that contains the various form-related tools. The first thing to do is add a temporary button. You'll use this to determine the name of the font for use with the script as well as place the script that will change the font properties of the text fields. So create a button anywhere, double-click it to bring up the field properties dialog, and on the Actions tab add a JavaScript action to the Mouse Up event that is:
    // Mouse Up script for temporary button
    app.alert(event.target.textFont);
    On the Appearance tab, select the font that you want to use for the text fields. Once you've done that, close form editing mode and click the button. It will display a popup that will list the font name. This may be different than the name that appeared in the dropdown on the appearance tab, so write it down. For example, when I chose "Minion Pro" from the dropdown, the popup showed "MinionPro-Regular".
    The next step is to replace that Mouse Up script with the following:
    // Mouse Up script for temporary button
    // Change the font and font size for all text field in this document
    for (var i = 0; i < numFields; i++) {
        var f = getField(getNthFieldName(i));
        if (f.type === "text") {
            f.textFont = "MinionPro-Regular";
            f.textSize = 9;
    Replace "MinionPro-Regular" with the font name that you wrote down before and set the font size to whatever you want. Use 0 to specify a font size of "Auto".
    This script will change the font of all text fields to whatever you specify. When you've confirmed that the text fields are set up as you want, you can go ahead and delete or hide the button. If you think you'll be doing a lot of forms work, you can create custom tools in Acrobat to speed up this process, but this should get you started. InDesign won't let you specify a lot of field properties and actions, so you have to work this way, and using automation scripts is an accessible way to significantly speed up the process and avoid mistakes.

  • Help editing the imageTracing.jsx Script

    Hello, I am looking for guidance on how to properly edit the imageTracing.jsx script in Illustrator CC. At the moment it only defaults to using a basic black and white trace, I need the trace to use one of my presets, expand the trace and save it. I need to run thousands of frames of bitmap animation through a batch trace process essentially. I've tried to batch it through Bridge, but it just throws up and error (59 I believe) and I've set up an action to try and batch that way but it never completes the batch by expanding the trace.
    I've tried editing the script myself, but if I change the preset numeral it appears to break the save and close functionality of the script. Not quite sure what I am doing wrong. I've also tried adding a line for expanding the trace but I may be using the wrong syntax  --- tracing.expandTracing(); ---
    Below is the default script as shipped with Illustrator, no changes made.
    // Main Code [Execution of script begins here]
    // uncomment to suppress Illustrator warning dialogs
    // app.userInteractionLevel = UserInteractionLevel.DONTDISPLAYALERTS;
    // Collectable files
    var COLLECTABLE_EXTENSIONS = ["bmp", "gif", "giff", "jpeg", "jpg", "pct", "pic", "psd", "png", "tif", "tiff"];
    var destFolder, sourceFolder;
    // Select the source folder
    sourceFolder = Folder.selectDialog( 'Select the SOURCE folder...', '~' );
    //sourceFolder = new Folder("C:/Users/<Username>/Desktop/1");
    if(sourceFolder != null)
        // Select the destination folder
        destFolder = Folder.selectDialog( 'Select the DESTINATION folder...', '~' );       
        //destFolder = new Folder("C:/Users/<Username>/Desktop/2");
    if(sourceFolder != null && destFolder != null)
            //getting the list of the files from the input folder
            var fileList = sourceFolder.getFiles();
            var errorList;
            var tracingPresets = app.tracingPresetsList;
            for (var i=0; i<fileList.length; ++i)
                if (fileList[i] instanceof File)
                     try
                            var fileExt = String(fileList[i]).split (".").pop();
                            if(isTraceable(fileExt) != true)
                                continue;
                            // Trace the files by placing them in the document.
                            // Add a document in the app
                            var doc = app.documents.add();
                            // Add a placed item
                            var p = doc.placedItems.add();
                            p.file = new File(fileList[i]);
                            // Trace the placed item
                            var t = p.trace();
                            t.tracing.tracingOptions.loadFromPreset(tracingPresets[3]);
                            app.redraw();
                            var destFileName = fileList[i].name.substring(0, fileList[i].name.length - fileExt.length-1) + "_" +fileExt;
                            var outfile = new File(destFolder+"/"+destFileName);
                            doc.saveAs(outfile);
                            doc.close();
                    catch (err)
                            errorStr = ("Error while tracing "+ fileList[i].name  +".\n" + (err.number & 0xFFFF) + ", " + err.description);
                            // alert(errorStr);
                            errorList += fileList[i].name + " ";
           fileList = null;
           alert("Batch process complete.");
    else
           alert("Batch process aborted.");
    sourceFolder = null;
    destFolder = null;
    function isTraceable(ext)
         var result = false;
         for (var i=0; i<COLLECTABLE_EXTENSIONS.length; ++i)
              if(ext == COLLECTABLE_EXTENSIONS[i])
                result = true;
                break;
        return result;
    And this is the amended version with my change to lines 57 and 58.
    // Main Code [Execution of script begins here]
    // uncomment to suppress Illustrator warning dialogs
    // app.userInteractionLevel = UserInteractionLevel.DONTDISPLAYALERTS;
    // Collectable files
    var COLLECTABLE_EXTENSIONS = ["bmp", "gif", "giff", "jpeg", "jpg", "pct", "pic", "psd", "png", "tif", "tiff"];
    var destFolder, sourceFolder;
    // Select the source folder
    sourceFolder = Folder.selectDialog( 'Select the SOURCE folder...', '~' );
    //sourceFolder = new Folder("C:/Users/<Username>/Desktop/1");
    if(sourceFolder != null)
        // Select the destination folder
        destFolder = Folder.selectDialog( 'Select the DESTINATION folder...', '~' );       
        //destFolder = new Folder("C:/Users/<Username>/Desktop/2");
    if(sourceFolder != null && destFolder != null)
            //getting the list of the files from the input folder
            var fileList = sourceFolder.getFiles();
            var errorList;
            var tracingPresets = app.tracingPresetsList;
            for (var i=0; i<fileList.length; ++i)
                if (fileList[i] instanceof File)
                     try
                            var fileExt = String(fileList[i]).split (".").pop();
                            if(isTraceable(fileExt) != true)
                                continue;
                            // Trace the files by placing them in the document.
                            // Add a document in the app
                            var doc = app.documents.add();
                            // Add a placed item
                            var p = doc.placedItems.add();
                            p.file = new File(fileList[i]);
                            // Trace the placed item
                            var t = p.trace();
                            t.tracing.tracingOptions.loadFromPreset(tracingPresets[1]);
      tracing.expandTracing();
      app.redraw();
                            var destFileName = fileList[i].name.substring(0, fileList[i].name.length - fileExt.length-1) + "_" +fileExt;
                            var outfile = new File(destFolder+"/"+destFileName);
                            doc.saveAs(outfile);
                            doc.close();
                    catch (err)
                            errorStr = ("Error while tracing "+ fileList[i].name  +".\n" + (err.number & 0xFFFF) + ", " + err.description);
                            // alert(errorStr);
                            errorList += fileList[i].name + " ";
           fileList = null;
           alert("Batch process complete.");
    else
           alert("Batch process aborted.");
    sourceFolder = null;
    destFolder = null;
    function isTraceable(ext)
         var result = false;
         for (var i=0; i<COLLECTABLE_EXTENSIONS.length; ++i)
              if(ext == COLLECTABLE_EXTENSIONS[i])
                result = true;
                break;
        return result;
    Thanks in advance for your help, as you can imagine, manually tracing thousands of images for a client job will be a nightmare if I can't sort out a batch.

    hello,
    after line 32 :
    var tracingPresets = app.tracingPresetsList;
    do an alert :
    alert( app.tracingPresetsList );
    it'll show you the name of the differents presets
    then line 57, call the good preset :
    t.tracing.tracingOptions.loadFromPreset('here the name of your preset');
    for expanding :
    change line 58 like that :
    t.tracing.expandTracing();
    you forget (t.) at the beginning
    best wishes for the new year

  • Need Help on powershell Script to send mails in different languages

    Hello, Just wanted to use the script below to remind users of password expiry date (I got it from internet New-Passwordreminder.ps1). We have companies in many countries, so the email should be in the language of that country. So since our users are in different
    OU's according to countries, I thought some one could help me edit this script and say if the user is in AB ou then email in english will be sent, if in BC ou then the email will be in Russian....So in the script I will have all the languages I need
    to have written.
    <#
    .SYNOPSIS
      Notifies users that their password is about to expire.
    .DESCRIPTION
        Let's users know their password will soon expire. Details the steps needed to change their password, and advises on what the password policy requires. Accounts for both standard Default Domain Policy based password policy and the fine grain
    password policy available in 2008 domains.
    .NOTES
        Version            : v2.6 - See changelog at
    http://www.ehloworld.com/596
        Wish list      : Better detection of Exchange server
                  : Set $DaysToWarn automatically based on Default Domain GPO setting
                  : Description for scheduled task
                  : Verify it's running on R2, as apparently only R2 has the AD commands?
                  : Determine password policy settings for FGPP users
                  : better logging
        Rights Required   : local admin on server it's running on
        Sched Task Req'd  : Yes - install mode will automatically create scheduled task
        Lync Version    : N/A
        Exchange Version  : 2007 or later
        Author           : M. Ali (original AD query), Pat Richard, Exchange MVP
        Email/Blog/Twitter :
    [email protected]  http://www.ehloworld.com @patrichard
        Dedicated Post   :
    http://www.ehloworld.com/318
        Disclaimer       : You running this script means you won't blame me if this breaks your stuff.
        Info Stolen from   : (original)
    http://blogs.msdn.com/b/adpowershell/archive/2010/02/26/find-out-when-your-password-expires.aspx
                  : (date)
    http://technet.microsoft.com/en-us/library/ff730960.aspx
                : (calculating time)
    http://blogs.msdn.com/b/powershell/archive/2007/02/24/time-till-we-land.aspx
    http://social.technet.microsoft.com/Forums/en-US/winserverpowershell/thread/23fc5ffb-7cff-4c09-bf3e-2f94e2061f29/
    http://blogs.msdn.com/b/adpowershell/archive/2010/02/26/find-out-when-your-password-expires.aspx
                : (password decryption)
    http://social.technet.microsoft.com/Forums/en-US/winserverpowershell/thread/f90bed75-475e-4f5f-94eb-60197efda6c6/
                : (determine per user fine grained password settings)
    http://technet.microsoft.com/en-us/library/ee617255.aspx
    .LINK    
        http://www.ehloworld.com/318
    .INPUTS
      None. You cannot pipe objects to this script
    .PARAMETER Demo
      Runs the script in demo mode. No emails are sent to the user(s), and onscreen output includes those who are expiring soon.
    .PARAMETER Preview
      Sends a sample email to the user specified. Usefull for testing how the reminder email looks.
    .PARAMETER PreviewUser
      User name of user to send the preview email message to.
    .PARAMETER Install
      Create the scheduled task to run the script daily. It does NOT create the required Exchange receive connector.
    .EXAMPLE
      .\New-PasswordReminder.ps1
      Description
      Searches Active Directory for users who have passwords expiring soon, and emails them a reminder with instructions on how to change their password.
    .EXAMPLE
      .\New-PasswordReminder.ps1 -demo
      Description
      Searches Active Directory for users who have passwords expiring soon, and lists those users on the screen, along with days till expiration and policy setting
    .EXAMPLE
      .\New-PasswordReminder.ps1 -Preview -PreviewUser [username]
      Description
      Sends the HTML formatted email of the user specified via -PreviewUser. This is used to see what the HTML email will look like to the users.
    .EXAMPLE
      .\New-PasswordReminder.ps1 -install
      Description
      Creates the scheduled task for the script to run everyday at 6am. It will prompt for the password for the currently logged on user. It does NOT create the required Exchange receive connector.
    #>
    #Requires -Version 2.0
    [cmdletBinding(SupportsShouldProcess = $true)]
    param(
     [parameter(ValueFromPipeline = $false, ValueFromPipelineByPropertyName = $true, Mandatory = $false)]
     [switch]$Demo,
     [parameter(ValueFromPipeline = $false, ValueFromPipelineByPropertyName = $true, Mandatory = $false)]
     [switch]$Preview,
     [parameter(ValueFromPipeline = $false, ValueFromPipelineByPropertyName = $true, Mandatory = $false)]
     [switch]$Install,
     [parameter(ValueFromPipeline = $false, ValueFromPipelineByPropertyName = $true, Mandatory = $false)]
     [string]$PreviewUser
    Write-Verbose "Setting variables"
    [string]$Company = "Contoso Ltd"
    [string]$OwaUrl = "https://mail.contoso.com"
    [string]$PSEmailServer = "10.9.0.11"
    [string]$EmailFrom = "Help Desk <[email protected]>"
    [string]$HelpDeskPhone = "(586) 555-1010"
    [string]$HelpDeskURL = "https://intranet.contoso.com/"
    [string]$TranscriptFilename = $MyInvocation.MyCommand.Name + " " + $env:ComputerName + " {0:yyyy-MM-dd hh-mmtt}.log" -f (Get-Date)
    [int]$global:UsersNotified = 0
    [int]$DaysToWarn = 14
    [string]$ImagePath = "http://www.contoso.com/images/new-passwordreminder.ps1"
    [string]$ScriptName = $MyInvocation.MyCommand.Name
    [string]$ScriptPathAndName = $MyInvocation.MyCommand.Definition
    [string]$ou
    [string]$DateFormat = "d"
    if ($PreviewUser){
     $Preview = $true
    Write-Verbose "Defining functions"
    function Set-ModuleStatus {
     [cmdletBinding(SupportsShouldProcess = $true)]
     param (
      [parameter(ValueFromPipeline = $true, ValueFromPipelineByPropertyName = $true, Mandatory = $true, HelpMessage = "No module name specified!")]
      [string]$name
     if(!(Get-Module -name "$name")) {
      if(Get-Module -ListAvailable | ? {$_.name -eq "$name"}) {
       Import-Module -Name "$name"
       # module was imported
       return $true
      } else {
       # module was not available (Windows feature isn't installed)
       return $false
     }else {
      # module was already imported
      return $true
    } # end function Set-ModuleStatus
    function Remove-ScriptVariables { 
     [cmdletBinding(SupportsShouldProcess = $true)]
     param($path)
     $result = Get-Content $path | 
     ForEach { if ( $_ -match '(\$.*?)\s*=') {     
       $matches[1]  | ? { $_ -notlike '*.*' -and $_ -notmatch 'result' -and $_ -notmatch 'env:'} 
     ForEach ($v in ($result | Sort-Object | Get-Unique)){  
      Remove-Variable ($v.replace("$","")) -ErrorAction SilentlyContinue
    } # end function Get-ScriptVariables
    function Install {
     [cmdletBinding(SupportsShouldProcess = $true)]
     param()
    http://technet.microsoft.com/en-us/library/cc725744(WS.10).aspx
     $error.clear()
     Write-Host "Creating scheduled task `"$ScriptName`"..."
     $TaskPassword = Read-Host "Please enter the password for $env:UserDomain\$env:UserName" -AsSecureString
     $TaskPassword = [System.Runtime.InteropServices.Marshal]::PtrToStringAuto([System.Runtime.InteropServices.Marshal]::SecureStringToBSTR($TaskPassword))
     # need to fix the issue with spaces in the path
     schtasks /create /tn $ScriptName /tr "$env:windir\system32\windowspowershell\v1.0\powershell.exe -psconsolefile '$env:ExchangeInstallPath\Bin\exshell.psc1' -command $ScriptPathAndName" /sc Daily /st 06:00 /ru $env:UserDomain\$env:UserName /rp
    $TaskPassword | Out-Null
     if (!($error)){
      Write-Host "done!" -ForegroundColor green
     }else{
      Write-Host "failed!" -ForegroundColor red
     exit
    } # end function Install
    function Get-ADUserPasswordExpirationDate {
     [cmdletBinding(SupportsShouldProcess = $true)]
     Param (
      [Parameter(Mandatory = $true, Position = 0, ValueFromPipeline = $true, HelpMessage = "Identity of the Account")]
      [Object]$accountIdentity
     PROCESS {
      Write-Verbose "Getting the user info for $accountIdentity"
      $accountObj = Get-ADUser $accountIdentity -properties PasswordExpired, PasswordNeverExpires, PasswordLastSet, name, mail
      # Make sure the password is not expired, and the account is not set to never expire
        Write-Verbose "verifying that the password is not expired, and the user is not set to PasswordNeverExpires"
        if (((!($accountObj.PasswordExpired)) -and (!($accountObj.PasswordNeverExpires))) -or ($PreviewUser)) {
         Write-Verbose "Verifying if the date the password was last set is available"
         $passwordSetDate = $accountObj.PasswordLastSet      
          if ($passwordSetDate -ne $null) {
           $maxPasswordAgeTimeSpan = $null
            # see if we're at Windows2008 domain functional level, which supports granular password policies
            Write-Verbose "Determining domain functional level"
            if ($global:dfl -ge 4) { # 2008 Domain functional level
              $accountFGPP = Get-ADUserResultantPasswordPolicy $accountObj
              if ($accountFGPP -ne $null) {
               $maxPasswordAgeTimeSpan = $accountFGPP.MaxPasswordAge
         } else {
          $maxPasswordAgeTimeSpan = (Get-ADDefaultDomainPasswordPolicy).MaxPasswordAge
        } else { # 2003 or ealier Domain Functional Level
         $maxPasswordAgeTimeSpan = (Get-ADDefaultDomainPasswordPolicy).MaxPasswordAge
        if ($maxPasswordAgeTimeSpan -eq $null -or $maxPasswordAgeTimeSpan.TotalMilliseconds -ne 0) {
         $DaysTillExpire = [math]::round(((New-TimeSpan -Start (Get-Date) -End ($passwordSetDate + $maxPasswordAgeTimeSpan)).TotalDays),0)
         if ($preview){$DaysTillExpire = 1}
         if ($DaysTillExpire -le $DaysToWarn){
          Write-Verbose "User should receive email"
          $PolicyDays = [math]::round((($maxPasswordAgeTimeSpan).TotalDays),0)
          if ($demo) {Write-Host ("{0,-25}{1,-8}{2,-12}" -f $accountObj.Name, $DaysTillExpire, $PolicyDays)}
                # start assembling email to user here
          $EmailName = $accountObj.Name      
          $DateofExpiration = (Get-Date).AddDays($DaysTillExpire)
          $DateofExpiration = (Get-Date($DateofExpiration) -f $DateFormat)      
    Write-Verbose "Assembling email message"      
    [string]$emailbody = @"
    <html>
     <head>
      <meta http-equiv="Content-Type" content="text/html; charset=utf-8">
     </head>
    <body>
     <table id="email" border="0" cellspacing="0" cellpadding="0" width="655" align="center">
      <tr>
       <td align="left" valign="top"><img src="$ImagePath/spacer.gif" alt="Description: $ImagePath/spacer.gif" width="46" height="28" align="absMiddle">
    if ($HelpDeskURL){     
    $emailbody += @" 
       <font style="font-size: 10px; color: #000000; line-height: 16px; font-family: Verdana, Arial, Helvetica, sans-serif">If this e-mail does not appear properly, please <a href="$HelpDeskURL" style="font-weight:
    bold; font-size: 10px; color: #cc0000; font-family: verdana, arial, helvetica, sans-serif; text-decoration: underline">click here</a>.</font>
    $emailbody += @"   
       </td>
      </tr>
      <tr>
    if ($HelpDeskURL){  
    $emailbody += @"
       <td height="121" align="left" valign="bottom"><a href="$HelpDeskURL"><img src="$ImagePath/header.gif" border="0" alt="Description: $ImagePath/header.gif"
    width="655" height="121"></a></td>
    }else{
    $emailbody += @" 
       <td height="121" align="left" valign="bottom"><img src="$ImagePath/header.gif" border="0" alt="Description: $ImagePath/header.gif" width="655" height="121"></td>
    $emailbody += @"
      </tr>
      <tr>
       <td>
        <table id="body" border="0" cellspacing="0" cellpadding="0">
         <tr>
          <td width="1" align="left" valign="top" bgcolor="#a8a9ad"><img src="$ImagePath/spacer50.gif" alt="Description: $ImagePath/spacer50.gif" width="1"
    height="50"></td>
          <td><img src="$ImagePath/spacer.gif" alt="Description: $ImagePath/spacer.gif" width="46" height="106"></td>
          <td id="text" width="572" align="left" valign="top" style="font-size: 12px; color: #000000; line-height: 17px; font-family: Verdana, Arial, Helvetica, sans-serif">
    if ($DaysTillExpire -le 1){
     $emailbody += @"
      <div align='center'>
       <table border='0' cellspacing='0' cellpadding='0' style='width:510px; background-color: white; border: 0px;'>
        <tr>
         <td align='right'><img width='36' height='28' src='$ImagePath/image001b.gif' alt='Description: $ImagePath/image001b.gif'></td> 
         <td style="font-family: verdana; background: #E12C10; text-align: center; padding: 0px; font-size: 9.0pt; color: white">ALERT: You must change your password today or you will be locked out!</td>  
         <td align='left'><img border='0' width='14' height='28' src='$ImagePath/image005b.gif' alt='Description: $ImagePath/image005b.gif'></td>
        </tr>
       </table>
      </div>
    $emailbody += @"
       <p style="font-weight: bold">Hello, $EmailName,</p>
       <p>It's change time again! Your $company password expires in <span style="background-color: red; color: white; font-weight: bold;">&nbsp;$DaysTillExpire&nbsp;</span> day(s), on $DateofExpiration.</p>
       <p>Please use one of the methods below to update your password:</p>
       <ol>
        <li>$company office computers and Terminal Server users: You may update your password on your computer by pressing Ctrl-Alt-Delete and selecting 'Change Password' from the available options. If you use a $company laptop in addition
    to a desktop PC, be sure and read #3 below.</li>
        <li>Remote Outlook Client, Mac, and/or Outlook Web App users: If you only access our email system, please use the following method to easily change your password:</li>
        <ul>
         <li>Log into <a href="$owaurl">Outlook Web App</a> using Internet Explorer (PC) or Safari or Firefox (Mac).</li>
         <li>Click on the Options button in the upper right corner of the page.</li>  
         <li>Select the &quot;Change Password&quot; link to change your password.</li>
         <li>Enter your current password, then your new password twice, and click Save</li>
         <li><span style="font-weight: bold">NOTE:</span> You will now need to use your new password when logging into Outlook Web App, Outlook 2010, SharePoint, Windows Mobile (ActiveSync) devices, etc. Blackberry
    Enterprise Users (BES) will not need to update their password. Blackberry Internet Service (BIS) users will be required to use their new password on their device.</li>
        </ul>
        <li>$company issued laptops: If you have been issued a $company laptop, you must be in a corporate office and directly connected to the company network to change your password. If you also use a desktop PC in the office, you must
    remember to always update your domain password on the laptop first. Your desktop will automatically use the new password.</li>
        <ul>
         <li>Log in on laptop</li>
         <li>Press Ctrl-Alt-Delete and select 'Change Password' from the available options.</li>
         <li>Make sure your workstation (if you have one) has been logged off any previous sessions so as to not cause conflict with your new password.</li>
        </ul>
       </ol>
       <p>Think you've got a complex password? Run it through the <a href="The">http://www.passwordmeter.com/">The Password Meter</a></p>
       <p>Think your password couldn't easily be hacked? See how long it would take: <a href="How">http://howsecureismypassword.net/">How Secure Is My Password</a></p>
       <p>Remember, if you do not change your password before it expires on $DateofExpiration, you will be locked out of all $company Computer Systems until an Administrator unlocks your account.</p>
       <p>If you are traveling or will not be able to bring your laptop into the office before your password expires, please call the number below for additional instructions.</p>
       <p>You will continue to receive these emails daily until the password is changed or expires.</p>
       <p>Thank you,<br />
       The $company Help Desk<br />
       $HelpDeskPhone</p>
    if ($accountFGPP -eq $null){
     $emailbody += @"
       <table style="background-color: #dedede; border: 1px solid black">
        <tr>
         <td style="font-size: 12px; color: #000000; line-height: 17px; font-family: Verdana, Arial, Helvetica, sans-serif"><b>$company Password Policy</b>
          <ul>
           <li>Your password must have a minimum of a $MinPasswordLength characters.</li>
           <li>You may not use a previous password.</li>
           <li>Your password must not contain parts of your first, last, or logon name.</li>
           <li>Your password must be changed every $PolicyDays days.</li>
    if ($PasswordComplexity){
     Write-Verbose "Password complexity"
     $emailbody += @"
           <li>Your password requires a minimum of two of the following three categories:</li>
           <ul>
            <li>1 upper case character (A-Z)</li>
            <li>1 lower case character (a-z)</li>
            <li>1 numeric character (0-9)</li>        
           </ul>
    $emailbody += @"
           <li>You may not reuse any of your last $PasswordHistory passwords</li>
          </ul>
         </td>
        </tr>
       </table>
    $emailbody += @"        
           </td>
           <td width="49" align="left" valign="top"><img src="$ImagePath/spacer50.gif" alt="" width="49" height="50"></td>
           <td width="1" align="left" valign="top" bgcolor="#a8a9ad"><img src="$ImagePath/spacer50.gif" alt="Description: $ImagePath/spacer50.gif" width="1"
    height="50"></td>
          </tr>
         </table>
         <table id="footer" border="0" cellspacing="0" cellpadding="0" width="655">
          <tr>
           <td><img src="$ImagePath/footer.gif" alt="Description: $ImagePath/footer.gif" width="655" height="81"></td>
          </tr>
         </table>
         <table border="0" cellspacing="0" cellpadding="0" width="655" align="center">
          <tr>
           <td align="left" valign="top"><img src="$ImagePath/spacer.gif" alt="Description: $ImagePath/spacer.gif" width="36" height="1"></td>
           <td align="middle" valign="top"><font face="Verdana" size="1" color="#000000"><p>This email was sent by an automated process.
    if ($HelpDeskURL){
    $emailbody += @"               
           If you would like to comment on it, please visit <a href="$HelpDeskURL"><font color="#ff0000"><u>click here</u></font></a>
    $emailbody += @"               
            </p><p style="color: #009900;"><font face="Webdings" size="4">P</font> Please consider the environment before printing this email.</p></font>
           </td>
           <td align="left" valign="top"><img src="$ImagePath/spacer.gif" alt="Description: $ImagePath/spacer.gif" width="36" height="1"></td>
          </tr>
         </table>
        </td>
       </tr>
      </table>
     </body>
    </html>
          if (!($demo)){
           $emailto = $accountObj.mail
           if ($emailto){
            Write-Verbose "Sending demo message to $emailto"
            Send-MailMessage -To $emailto -Subject "Your password expires in $DaysTillExpire day(s)" -Body $emailbody -From $EmailFrom -Priority High -BodyAsHtml
            $global:UsersNotified++
           }else{
            Write-Verbose "Can not email this user. Email address is blank"
    } # end function Get-ADUserPasswordExpirationDate
    if ($install){
     Write-Verbose "Install mode"
     Install
    Write-Verbose "Checking for ActiveDirectory module"
    if ((Set-ModuleStatus ActiveDirectory) -eq $false){
     $error.clear()
     Write-Host "Installing the Active Directory module..." -ForegroundColor yellow
     Set-ModuleStatus ServerManager
     Add-WindowsFeature RSAT-AD-PowerShell
     if ($error){
      Write-Host "Active Directory module could not be installed. Exiting..." -ForegroundColor red;
      if ($transcript){Stop-Transcript}
      exit
    Write-Verbose "Getting Domain functional level"
    $global:dfl = (Get-AdDomain).DomainMode
    # Get-ADUser -filter * -properties PasswordLastSet,EmailAddress,GivenName -SearchBase "OU=Users,DC=domain,DC=test" |foreach {
    if (!($PreviewUser)){
     if ($ou){
      Write-Verbose "Filtering users to $ou"
      $users = Get-AdUser -filter * -SearchScope subtree -SearchBase $ou -ResultSetSize $null
     }else{
      $users = Get-AdUser -filter * -ResultSetSize $null
    }else{
     Write-Verbose "Preview mode"
     $users = Get-AdUser $PreviewUser
    if ($demo){
     Write-Verbose "Demo mode"
     # $WhatIfPreference = $true
     Write-Host "`n"
     Write-Host ("{0,-25}{1,-8}{2,-12}" -f "User", "Expires", "Policy") -ForegroundColor cyan
     Write-Host ("{0,-25}{1,-8}{2,-12}" -f "========================", "=======", "===========") -ForegroundColor cyan
    Write-Verbose "Setting event log configuration"
    $evt = new-object System.Diagnostics.EventLog("Application")
    $evt.Source = $ScriptName
    $infoevent = [System.Diagnostics.EventLogEntryType]::Information
    $EventLogText = "Beginning processing"
    $evt.WriteEntry($EventLogText,$infoevent,70)
    Write-Verbose "Getting password policy configuration"
    $DefaultDomainPasswordPolicy = Get-ADDefaultDomainPasswordPolicy
    [int]$MinPasswordLength = $DefaultDomainPasswordPolicy.MinPasswordLength
    # this needs to look for FGPP, and then default to this if it doesn't exist
    [bool]$PasswordComplexity = $DefaultDomainPasswordPolicy.ComplexityEnabled
    [int]$PasswordHistory = $DefaultDomainPasswordPolicy.PasswordHistoryCount
    ForEach ($user in $users){
     Get-ADUserPasswordExpirationDate $user.samaccountname
    Write-Verbose "Writing summary event log entry"
    $EventLogText = "Finished processing $global:UsersNotified account(s). `n`nFor more information about this script, run Get-Help .\$ScriptName. See the blog post at
    http://www.ehloworld.com/318."
    $evt.WriteEntry($EventLogText,$infoevent,70)
    # $WhatIfPreference = $false
    # Remove-ScriptVariables -path $MyInvocation.MyCommand.Name
    Remove-ScriptVariables -path $ScriptPathAndName

    Hi petro_jemes,
    Just a little claritification, you need to add the value to the variable "[string]$ou", and also change the language in the variable "$emailbody" in the function "Get-ADUserPasswordExpirationDate".
    I hope this helps.

  • Acrobat Form Fill Fields - Can you specify a font?

    I am using the new feature of InDesign CS6 that allows creation of form fields for PDFs. After exporting the page to PDF via the interactive setup dialog [command+E 'Adobe PDF (interactive)] I'll inspect the finished PDF in Acrobat 9. Everything looks as it should, except that when I type in some sample text in a text field, it uses Times Roman as the font. I would like it to use Arial regular.
    I can't find any way to specify a font for these form fields in InDesign CS6. This particular project involves quite a large number of files - so I'd rather avoid a process that requires me to go in to Acrobat and 'tweak' each PDF, changing the font in the properties dialog of each field to the Arial.
    Is there a way to set the font of a form field directly in InDesign? I've looked around and can't find a menu or dialog that addresses this.
    Thanks in advance for any help.

    You can edit the typeface used in your text fields in Adobe Acrobat Pro. Create your form with all the appropriate text fields you would like in InDesign CS6 then:
    export your form from InDesign CS6 as an interactive PDF
    open your file in Adobe Acrobat Pro
    Click "TOOLS" on the right hand side (next to sign and comment)
    Click "INTERACTIVE OBJECTS"
    Click "SELECT OBJECT"
    Then select all or any text fields you would like to changeif selected the text field should appear blue, not red, as well as displaying the description (if you assigned one while creating your form in InDesign)
    Once selected RIGHT CICK (if using a MAC or mouse without a right click button press crtl + click your mouse)
    a pop-up should appear and the at the top of the list you will see PROPERTIES
    click properties and go to APPEARANCE
    under the TEXT section you will see options to alter your text fields designated typeface, color and size
    NOTE: I believe if the user filling out the form does not have the typeface you assigned to the text field(s) it will default to New Times Roman

  • On Windows 7, CS6 all products, but especially need help with ID.  Fonts that are showing in other applications are not showing in ID.

    on Windows 7, CS6 all products, but especially need help with ID.  Fonts that are showing in other applications are not showing in ID.

    The ID Program folder will be relevant to your OS...
    I took a shot and right clicked on my Scripts Samples, choose reveal in Explorer and opened up the ID Program folder.
    As shown, there is a Fonts folder.
    Drag/Copy/Paste fonts to this folder.

  • Help needed on setting fonts up

    I've consulted my Linux books for this, I've read the Wiki, I've searched the forum and read dozens of different threads concerning this topic; I've searched the net and read tons of different stuff there as well; I've tried different configurations and to understand, what's really going on, but the only thing that helped a little bit in the end was adding the following in my xorg.conf (strange though, I never had to do this in Zenwalk and its not there in my xorg.conf either):
    Option "UseEdidDpi" "false"
    Option "DPI" "96 x 96"
    Fact is, my fonts still look like crap and the only thing I haven't tried yet is editing the /etc/fonts/local.conf and ~/.fonts.conf, simply due to the fact that both files don't exist on my Arch system. Do I have to set them up myself?
    And if you have any further recommendations what can be done to make fonts look good, they are very welcome!
    Thanks in advance.

    Thank you!
    But I guess I have to accept the fact that, for whatever reason (which is beyond my understanding), fonts look different in Arch Linux.
    I've installed the ttf-ms-fonts, ttf-dejavu and ttf-bitstream-vera fonts already. I've also installed artwiz-fonts, but Xfce doesn't find them, so there must've been gone something wrong already. I've also consulted the Wiki already and read different entries there concerning fonts. I've also checked the Gentoo Linux Wiki Howto Xorg & Fonts. I've ran fc-cache, mkfontscale and mkfontdir. The only thing I haven't done yet is creating a soft link like this:
    ln -s /usr/share/fonts/encodings/encodings.dir yourfontdirectory/encodings.dir
    Because I don't quite understand this soft link (my font directory is /usr/share/fonts ?).
    Finally, I have created a /etc/fonts/local.conf file. But neither this nor everything else I've tried up to now has helped really. Only adding the DPI stuff to my xorg.conf has changed the fonts to a reasonably size. But that's about it.
    I add some screenshots to demonstrate what I'm talking about.
    Zenwalk web page on Arch:
    http://img408.imageshack.us/img408/7171 … ts1te9.png
    ...and on Zenwalk:
    http://img253.imageshack.us/img253/7651 … ts3el1.png
    Ubuntu forums on Arch:
    http://img440.imageshack.us/img440/5857 … ts2ei3.png
    ...and again on Zenwalk:
    http://img442.imageshack.us/img442/3821 … ts1hq7.png

  • Since updating Firefox, just about every window I open uses a script font that is very small and unreadable -- why, and how can I get it to use normal fonts?

    I never had this issue before the last update I made. The font is a font on my computer and I thought that maybe it was the font and if I disabled it, the problem would go away. But sadly, it just picks another fancy script installed on my computer. It doesn't matter how many I disable, Firefox continually picks another fancy script to replace the ones I've disabled. What's odd is that some windows I open are almost entirely the fancy script and others may only have one line or a heading in the script. This is not an issue at all on Safari and was never a problem on Firefox until the next to last update I made.

    You can do a check for corrupted and duplicate fonts and other font issues:
    *http://www.thexlab.com/faqs/multipleappsquit.html - Font Book 2.0 Help: Checking for damaged fonts
    *http://www.creativetechs.com/iq/garbled_fonts_troubleshooting_guide.html
    You can do a font test to see if you can identify corrupted font(s).
    *http://browserspy.dk/fonts-flash.php?detail=1
    You can also try different default fonts.
    * Firefox > Preferences > Content : Fonts & Colors > Advanced
    *[ ] "Allow pages to choose their own fonts, instead of my selections above"

  • EDITING SQL SCRIPT IN CRYSTAL REPORTS

    I just installed Version 12 and am trying to edit SQL scripts in Crystal Reports that were created in Version 8.  When opening the Database tab on the Main Menu, the Query Panel is greyed out and not accessible.  I can view the SQL Query but cannot edit it.  If someone can advise me what to do I would be very appreciative.
    Edited by: Frank Romano on Mar 18, 2009 4:17 PM

    Hi Frank,
    Here is the SAP Note that says that you cannot edit SQL from Crystal 9 and later
    Symptom
    In Crystal Reports (CR) 8.5 and earlier, it is possible to edit the SQL statement in the 'Show SQL Query' dialog box. Doing so allows the report designer to modify the SQL statement that CR generates. Starting with Crystal Reports version 9, users are no longer able to modify the SQL in the 'Show SQL Query' window.
    How can you control the SQL statement that Crystal Reports sends to the database?
    Resolution
    To control the SQL statement that Crystal Reports 9 and later uses, use the 'Add Command' feature to create a Command Object. The 'Add Command' feature replaces the ability to edit SQL statements in the 'Show SQL Query' dialog box. Use this dialog box to write your own SQL command (query) which will be represented in Crystal Reports as a Table object.
    More Information
    Additional information about creating and using Command Objects ('Add Command') can be found on our support site and within the Online Help file contained in Crystal Reports.
    On our support site search for the technical brief, cr_query_engine.pdf and knowledge base article c2016641 at
    http://support.businessobjects.com/search
    Keywords
    OBJECT ADD COMMAND EDIT SHOW SQL QUERY DATABASE ACCESS MENU MODIFY SQL Crystal Reports Show SQL query Command object , c2017389
    Regards,
    Raghavendra

  • HELP! Embed PDF Font for Qoop Document

    I am attempting to create a book for qoop.com; howevver every time I attempt to upload the pdf, created in Adobe Acrobat (version 6.x), I get an error message stating that "The file you uploaded contains non-embedded fonts that we cannot print. Please embed the fonts and re-upload." I have contacted the Qoop company; however they just said to google it to find the solution....AWESOME customer service! At any rate I cannot figure out what I'm doing wrong. My file is all Times New Roman, has columns, bullet points and bold fonts (if any of this matters).
    Thanks SO much for any help you can provide.

    Select the Print or Press job options settings. The Standard settings does not embed Times Roman and other default fonts. Check the font properties of the job settings files to be sure. You can do that in Distiller if you like by selecting the job settings and then selecting edit => check the fonts tab. For the Standard, Arial and Times-New-Roman are both listed as never embed. They are not listed in that set for the Press or Print settings.

  • Script Font Styles

    I am currently using the CFR Builder 8. When I am design mode I can apply a script font style and see the font style no problem but, when I pull the report from the web the font style reverts back to a non-script type.
    Any and all help will be greatly appreciated..
    Examples:
    Design Mode:
    Live Mode:

    Resolved: The font style has to be added to the Coldfusion Admin. Font Manager.

  • How do I get to use my printer post script fonts in Illustrator and In Design

    I am running the CS2 Suite with Photo Shop, Illustrator, and In Design.  I have purchased a Xerox 8550 post script printer, and it comes with 40 really cool post script fonts. I know that Adobe uses the common files folder in program files to store the fonts, but it dosn't list the fonts that are resident in my printer.  Is there any way that I can tell the common files area that I have these resident fonts, if so, how?
    Thanks,
    Tom

    That would be up to the printer driver. When installed, it should create either a full set of PostScript fonts, a set of bitmap placeholder fonts or offer a way to manage fonts on the printer, including downloading them manually - if allowed. The driver is also the place where to look for font substitution rules. Double-check the manual/ help files for the printer, I'm sure it's explained somewhere...
    Mylenium

  • Please edit my script to get specific measurements?

    Please edit my script to get specific measurements?
    Hi Guys,
    I do have script, which gives specific measurements of selected objects. This is working great. But I need the following requirements.
    ·      Size should come exactly. That means the selected object is 10.4mm. But this script is measuring as 10mm, which is not correct exactly.
    ·      Color should be following.
    o   Measurement line color with ‘XYZ’ PMS
    o   Measurement text color with ‘ABC’ PMS
    Here is the script of that.
    Thanks in advance...
    Kind Regards
    HARI

    Here is the script of that..
    * Description: An Adobe Illustrator script that automates measurements of objects. This is an early version that has not been sufficiently tested. Use at your own risks.
    * Usage: Select 1 to 2 page items in Adobe Illustrator, then run this script by selecting File > Script > Other Scripts > (choose file)
    * License: GNU General Public License Version 3. (http://www.gnu.org/licenses/gpl-3.0-standalone.html)
    * Copyright (c) 2009. William Ngan.
    * http://www.metaphorical.net
    // Create an empty dialog window near the upper left of the screen
    var dlg = new Window('dialog', 'Spec');
    dlg.frameLocation = [100,100];
    dlg.size = [250,250];
    dlg.intro = dlg.add('statictext', [20,20,150,40] );
    dlg.intro.text = 'First select 1 or 2 items';
    dlg.where = dlg.add('dropdownlist', [20,40,150,60] );
    dlg.where.selection = dlg.where.add('item', 'top');
    dlg.where.add('item', 'bottom');
    dlg.where.add('item', 'left');
    dlg.where.add('item', 'right');
    dlg.btn = dlg.add('button', [20,70,150,90], 'Specify', 'spec');
    // document
    var doc = activeDocument;
    // spec layer
    try {
        var speclayer =doc.layers['spec'];
    } catch(err) {
        var speclayer = doc.layers.add();
        speclayer.name = 'spec';
    // measurement line color
    var color = new CMYKColor;
    color.cyan = 0;
    color.magenta = 0;
    color.yellow = 0;
    color.black = 100;
    // gap between measurement lines and object
    var gap = 10;
    // size of measurement lines.
    var size = 10;
    // number of decimal places
    var decimals = 0;
    // pixels per inch
    var dpi = 72;
        Start the spec
    function startSpec() {
        if (doc.selection.length==1) {
            specSingle( doc.selection[0].geometricBounds, dlg.where.selection.text );
        } else if (doc.selection.length==2) {
            specDouble( doc.selection[0], doc.selection[1], dlg.where.selection.text );
        } else {
                alert('please select 1 or 2 items');
        dlg.close ();
        Spec the gap between 2 elements
    function specDouble( item1, item2, where ) {
        var bound = new Array(0,0,0,0);
        var a =  item1.geometricBounds;
        var b =  item2.geometricBounds;
        if (where=='top' || where=='bottom') {
            if (b[0]>a[0]) { // item 2 on right,
                if (b[0]>a[2]) { // no overlap
                    bound[0] =a[2];
                    bound[2] = b[0];
                } else { // overlap
                    bound[0] =b[0];
                    bound[2] = a[2];
            } else if (a[0]>=b[0]){ // item 1 on right
                if (a[0]>b[2]) { // no overlap
                    bound[0] =b[2];
                    bound[2] = a[0];
                } else { // overlap
                    bound[0] =a[0];
                    bound[2] = b[2];
            bound[1] = Math.max (a[1], b[1]);
            bound[3] = Math.min (a[3], b[3]);
        } else {
            if (b[3]>a[3]) { // item 2 on top
                if (b[3]>a[1]) { // no overlap
                    bound[3] =a[1];
                    bound[1] = b[3];
                } else { // overlap
                    bound[3] =b[3];
                    bound[1] = a[1];
            } else if (a[3]>=b[3]){ // item 1 on top
                if (a[3]>b[1]) { // no overlap
                    bound[3] =b[1];
                    bound[1] = a[3];
                } else { // overlap
                    bound[3] =a[3];
                    bound[1] = b[1];
            bound[0] = Math.min(a[0], b[0]);
            bound[2] = Math.max (a[2], b[2]);
        specSingle(bound, where );
        spec a single object
        @param bound item.geometricBound
        @param where 'top', 'bottom', 'left,' 'right'
    function specSingle( bound, where ) {
        // width and height
        var w = bound[2]-bound[0];
        var h = bound[1]-bound[3];
        // a & b are the horizontal or vertical positions that change
        // c is the horizontal or vertical position that doesn't change
        var a = bound[0];
        var b = bound[2];
        var c = bound[1];
        // xy='x' (horizontal measurement), xy='y' (vertical measurement)
        var xy = 'x';
        // a direction flag for placing the measurement lines.
        var dir = 1;
        switch( where ) {
            case 'top':
                a = bound[0];
                b = bound[2];
                c = bound[1];
                xy = 'x';
                dir = 1;
                break;
            case 'bottom':
                a = bound[0];
                b = bound[2];
                c = bound[3];
                xy = 'x';
                dir = -1;
                break;
            case 'left':
                a = bound[1];
                b = bound[3];
                c = bound[0];
                xy = 'y';
                dir = -1;
                break;
            case 'right':
                a = bound[1];
                b = bound[3];
                c = bound[2];
                xy = 'y';
                dir = 1;
                break;
        // create the measurement lines
        var lines = new Array();
        // horizontal measurement
        if (xy=='x') {
            // 2 vertical lines
            lines[0]= new Array( new Array(a, c+(gap)*dir) );
            lines[0].push ( new Array(a, c+(gap+size)*dir) );
            lines[1]= new Array( new Array(b, c+(gap)*dir) );
            lines[1].push( new Array(b, c+(gap+size)*dir) );
            // 1 horizontal line
            lines[2]= new Array( new Array(a, c+(gap+size/2)*dir ) );
            lines[2].push( new Array(b, c+(gap+size/2)*dir ) );
            // create text label
            if (where=='top') {
                var t = specLabel( w, (a+b)/2, lines[0][1][1] );
                t.top += t.height;
            } else {
                var t = specLabel( w, (a+b)/2, lines[0][0][1] );
                t.top -= t.height;
            t.left -= t.width/2;
        // vertical measurement
        } else {
            // 2 horizontal lines
            lines[0]= new Array( new Array( c+(gap)*dir, a) );
            lines[0].push ( new Array( c+(gap+size)*dir, a) );
            lines[1]= new Array( new Array( c+(gap)*dir, b) );
            lines[1].push( new Array( c+(gap+size)*dir, b) );
            //1 vertical line
            lines[2]= new Array( new Array(c+(gap+size/2)*dir, a) );
            lines[2].push( new Array(c+(gap+size/2)*dir, b) );
            // create text label
            if (where=='left') {
                var t = specLabel( h, lines[0][1][0], (a+b)/2 );
                t.left -= t.width;
            } else {
                var t = specLabel( h, lines[0][0][0], (a+b)/2 );
                t.left += size;
            t.top += t.height/2;
        // draw the lines
        var specgroup = new Array(t);
        for (var i=0; i<lines.length; i++) {
            var p = doc.pathItems.add();
            p.setEntirePath ( lines[i] );
            setLineStyle( p, color );
            specgroup.push( p );
        group(speclayer, specgroup );
        Create a text label that specify the dimension
    function specLabel( val, x, y) {
            var t = doc.textFrames.add();
            t.textRange.characterAttributes.size = 8;
            t.textRange.characterAttributes.alignment = StyleRunAlignmentType.center;
            var v = val;
            switch (doc.rulerUnits) {
                case RulerUnits.Inches:
                    v = val/dpi;
                    v = v.toFixed (decimals);
                    break;
                case RulerUnits.Centimeters:
                    v = val/(dpi/2.54);
                    v = v.toFixed (decimals);
                    break;
                case RulerUnits.Millimeters:
                    v = val/(dpi/25.4);
                    v = v.toFixed (decimals);
                    break;
                case RulerUnits.Picas:
                    v = val/(dpi/6);
                    var vd = v - Math.floor (v);
                    vd = 12*vd;
                    v =  Math.floor(v)+'p'+vd.toFixed (decimals);
                    break;
                default:
                    v = v.toFixed (decimals);
            t.contents = v;
            t.top = y;
            t.left = x;
            return t;
    function setLineStyle(path, color) {
            path.filled = false;
            path.stroked = true;
            path.strokeColor = color;
            path.strokeWidth = 0.5;
            return path;
    * Group items in a layer
    function group( layer, items, isDuplicate) {
        // create new group
        var gg = layer.groupItems.add();
        // add to group
        // reverse count, because items length is reduced as items are moved to new group
        for(var i=items.length-1; i>=0; i--) {
            if (items[i]!=gg) { // don't group the group itself
                if (isDuplicate) {
                    newItem = items[i].duplicate (gg, ElementPlacement.PLACEATBEGINNING);
                } else {
                    items[i].move( gg, ElementPlacement.PLACEATBEGINNING );
        return gg;
    dlg.btn.addEventListener ('click', startSpec );
    dlg.show();

  • Edit rman script

    Hi guys,
    someone can tell me if is possible to edit rman script in Backup Jobs definition of Grid?
    I've scheduled some jobs backup and I need to edit script but don't find where i can edit it..
    thanks
    Andrea

    hi,
    yes this is possible.
    from grid, select the database and then scroll down to the bottom of the page, there you will see a section called Related Lin ks,
    one of these is jobs.
    select this and you will then get a page which shows any scheduled jobs, completed jobs.
    there are also a number of options one of which is 'edit', this will allow you to edit your job.
    hope this helps
    Alan

Maybe you are looking for

  • Problem getting all parameters from multiple select

    I have a multiple select option box that's properly displaying all the values. I'm using getParameterValues() to retrieve all of the selections but it returns the string[] with only the first selection made. JSP: <select name="selectList" multiple="t

  • Swapping between different logical views

    I am designing an applet that has several logical views, such as Login, Registration, Waiting Area, and Game. I am very new to applets and Swing, and I can't figure out how to have each of these designed separately and then swap between them. Ideally

  • Can't create subscription

    Dear colleagues, hi Could you please help us with one case. We faced with a problem working on Sybase  RS 12.6 and ASE 12.5.4 I have WarmStabdBy replication but now I want create replication definition and subscription on one table. In all manual I r

  • Problem configuring Email transport for business service

    Hi, I'm trying to configure an email transport for an outgoing business service and the General Configuration page is showing the error: [WliSbTransports:381030]Neither SMTP nor mail session exists and consequently the Email Transport configuration p

  • Is the 24 inch Apple Cinema Display the best choice for Final Cut Studio 2

    I'm about to order a Mac Pro and Final Cut Studio 2 and have a question about monitor choices. Is the 24 inch Apple Cinema Display the best choice are there non-Apple monitors that will do as good or better job with HD editing and output?