This is john

my camera raw plugin is not working

Can you provide details about what is (or is not) happening when you try to use it? What version of PSE? What camera? What operating system?
As a side issue, it usually is more helpful if you provide a meaningful title that describes your problem, which will give you a better chance of having people with actual expertise in your issue actually read your post. "This is John" is not a meaningful title.

Similar Messages

  • Yoga 2 Pro - Light bleed on screen - is this acceptable / normal for this screen?

    Hi all,
    I wonder if someone could give me some advice as to whether the light bleed I'm experiencing on my Yoga 2 Pro is 'acceptable'. It doesn't bother me in normal day to day tasks like office work, email, web browsing but it's pretty distracting when watching videos in a dark / dim room, particularly where the video itself contains dark scenes or letterboxing.
    I've done a bit of searching on the web it seems that black light bleed is a pretty common issue with these types of displays.
    The following photos were taken on a DSLR in a totally dark room whilst running a video of complete black on youtube:
    Brightness 100% - overexposed a bit in camera to show main areas of light bleed. The lower right corner is the most severe. Light bleed is also quite prevalent along the bottom of the screen.
    Link to image 1
    Brightness 70-80% - exposed to represent as closely as possible what i see when watching the black video in a dark room.
    Link to image 2
    Brightness at 50%
    Link to image 3
    Would this light bleed warrant a return? I bought this from John Lewis in the UK and they have an excellent returns policy. I do love the laptop but the light bleed is pretty annoying. I've seen some images of other peoples light bleed and I worry that if I was to get this replaced I may end up with one with much worse light bleed than what I currently have.
    Any thoughts and advice would be most appreciated.
    Cheers.
    Moderator note: large image(s) converted to link(s):  About Posting Pictures In The Forums

    Ok, I think I have identified the source of the light bleed from the top right corner.  It seems that whatever they use to glue the panel down to the backing has loosened.  If I press down on the top left corner of the screen it is rock solid.  If I press down on the top right side where the light bleed is it flexes downward.  When I push down on the border the light bleed disappears.
    So it would appear I don't have a panel problem, I have a glue problem.  Bummer.  Will contact Lenovo today.  Hopefully getting this fixed won't involve sending my Y2P into some shop for 3 weeks.
    The light bleed sucks but what concerns me more is that the panel's integrity seems to be failing and could get worse.  I hope Lenovo has a local shop that can take a look at this.

  • How can I supply elements of an array to the New-ADUser Class. Or can I do this another way?

    Hi, I want to write a function to create a new user, and I want to keep it as simple as possible.
    For example, I want to be able to call the function like.
    CreateNewUser John Doe
    The function itself will need to pass the value of the name, in this example John Doe into an array. And then I want to be able to reference that array for everything else.
    e.g
    Function CreateNewUser($fname,$lname)
    [string[]]]$objName = $fname,$lname
    New-ADUser -name $objname -givenname $objname[0] -surname $objname[1]
    I hope you get the idea. Is this possible, am I doing it right, and is there a better way of doing this?
    Thanks

    If you are just trying to make it look a bit cleaner you can use splatting so new-aduser isn't incredibly long...here is an example.
    $Params = @{
    Name = $DisplayName
    SamAccountName = $SamAccountName
    UserPrincipalName = $UserPrincipalName
    GivenName = $GivenName
    Surname = $Surname
    DisplayName = $DisplayName
    Path = $Path
    AccountPassword = $Password
    Enabled = $True
    ChangePasswordAtLogon = $True
    HomeDirectory = $HomeDirectory
    ScriptPath = $ScriptPath
    EmployeeID = $EmployeeID
    Department = $Department
    Division = $Division
    New-ADUser @Params
    The splatting will definitely help, but I think what the OP is really looking for is a wrapper to make the command line really simple. I have a function I use called Copy-AdUser that does several things internally to support our business needs. The command
    line is simple:
    Copy-AdUser -Instance gwashing -GivenName Abraham -SurName Lincoln -Title President -Location 'White House'
    Now you may not need to copy an existing user, but the ideas are the same. You can accept basic information about the user as parameter values and then in the guts of the function you can calculate all the other attributes, group membership, etc. The function
    looks something like this:
    Function Copy-ADUser {
    #.SYNOPSIS
    # Creates new Active Directory user based on attributes #and group membership of an existing user
    #.DESCRIPTION
    # Creates an Active Directory user based on an existing #user's group membership and Organizational Unit.
    # Requires that the MS Active Directory module is loaded.
    #.EXAMPLE
    # Copy-AdUser -Instance gwashing -GivenName Abraham #-SurName Lincoln -Title "President" -Location "White House"
    [CmdletBinding()]
    Param
    # Template user. Copies parent OU and group membership
    [Parameter(Mandatory=$true,Position=0)]
    $Instance,
    [Parameter(Mandatory=$True,Position=1)]
    [String]$GivenName,
    [Parameter(Mandatory=$True,Position=2)]
    [String]$SurName,
    [Parameter(Mandatory=$True,Position=3)]
    [String]$Title,
    # building code for primary location
    [Parameter(Mandatory=$True,Position=4)]
    [String]$Location,
    # Optional. Department or division (IT, HR, etc.)
    [Parameter(Mandatory=$False)]
    [String]$Department,
    # Optionally specify the SAMAccountName if it needs to be different than the standard formula
    [Parameter(Mandatory=$False)]
    [string]$SamAccountName = ($GivenName.tolower().substring(0,1) +
    $SurName.ToLower().Substring(0, [System.Math]::Min(7, $SurName.Length))),
    # Optionally specify the UPN prefix if it needs to be different.
    # This will be used for email addresses and the UPN
    [Parameter(Mandatory=$False)]
    [string]$UPNPrefix = ($GivenName.tolower() + '.' + $SurName.tolower())
    # company specific variables
    $EmailDomain = '@domain.com'
    $HomeFolderPath = '\\Server\Share'
    # calculate stuff
    $Instance = Get-ADUser $Instance -Properties *
    $OU = $Instance |
    Select-Object @{n='ParentContainer';e={$_.DistinguishedName -replace "CN=$($_.cn),",''}}
    $ADGroups = $Instance.MemberOf
    $UserPrincipalName = ($UPNPrefix + $EmailDomain)
    $FirstLast = "$GivenName $SurName"
    $Proxies = "SMTP:$UserPrincipalName"
    $HomeFolder = "$HomeFolderPath\$($SAMAccountName.ToUpper())"
    # Create the Active Directory User
    If(Get-ADUser -Filter {SAMAccountName -eq $SAMAccountName})
    Write-Warning "User with name $SamAccountName already exists!
    Please try again and specify unique values for the -samaccountname and -UPNPrefix parameters."
    Return
    Else
    $Attributes = @{
    Name = $FirstLast
    GivenName = $GivenName
    SurName = $SurName
    UserPrincipalName = $UserPrincipalName
    SAMAccountname = $SAMAccountName
    AccountPassword = (Read-host -assecurestring 'Enter Password')
    DisplayName = $FirstLast
    Description = "$Location $Title"
    EmailAddress = $UserPrincipalName
    homedrive = 'H:'
    HomeDirectory = $HomeFolder
    ScriptPath = 'login.bat'
    Title = $Title
    Company = $Location
    Department = $Department
    path = $OU.ParentContainer
    Enabled = $True
    OtherAttributes = @{proxyaddresses=$Proxies}
    New-Aduser @Attributes
    # Add User to the same groups as the UserToCopy
    $ADGroups |
    ForEach-Object {
    Add-ADGroupMember -Identity $_ -Members $SAMAccountName
    # Create home folder and set permissions
    Do
    Set-FolderPermission -Path $HomeFolder -User $SamAccountName -Permission 'Fullcontrol' -ErrorAction SilentlyContinue
    Until
    (Get-ACL $Homefolder).Access.IdentityReference -like "*$SamAccountName*"
    Please note this is probably not ready for you to use. You can change any of the internal logic to support naming schemes and paths that your organization uses. Also, there is a call to a function at the bottom that creates a home folder and sets permissions
    on that folder. I haven't included that function so this part will error out.

  • When i get on yahoo, it opens me up under the primary account, but when i try to get on the secondary e-mail account it automatically shifts me back to the primary account. Dont have this problem in internet explorer.

    Yahoo hosts my e-mail. It is under a primary e-mail address under @yahoo.com. Under that primary account, I have another e-mail address that is based on my own domain name. When I get on firefox and bring up yahoo, it opens under my yahoo.com address but it has a "logged in under" section which allows me to go to my .(my domain) address. When I click on that, my .(my domain) mail comes up for an instant and then firefox shifts me back to the .yahoo account.
    This happens on my newer most recent windows computer but not on my older one and never, ever happens on internet explorer. I may have to abandon firefox for internet explorer if you cannot fix this.
    John Howard

    the settings program will not allow me to enter any of those cells.  the accounts section is all in grey scale (not black) and none will open including "add account"

  • Link Reports -item  does not exists on this page

    I have two tables Person table with Primary Key of PersonID, and Person_Qualification Table with a FK of Person_ID.
    I have a report for each table. I have created a report on the Person Table(Page 3000) with a link column to the Person Qualification Report (Page 3119).
    In the link column I created in the person report I have my parameters set as P3000_PersonID and #Person_ID# as field to populate the URL with, and the target page as 3119.
    However anytime I click this link that takes me to the PersonQualification report I get an error stating the Item P3000_Person ID does not exists on this page (3119).
    I have linked a form and report together before, but not two reports.
    I want the person qualification report to be only for the personID that was clicked on.
    I tried adding P3000_PersonID to the query in the person_qualification page I.E. where PersonID=:P3000_PersonID but I still get the item P3000_Person ID does not exists on this page or something to this effect.
    Thanks

    Hello gtjr,
    You need to define an item (usually hidden) on page 3119 to hold the person ID and use that in your second report's query.
    Then in the column link for the first report, specify this new item to be set to the person ID linked.
    The reason for the error is you're telling ApEx to set an item p3000_person_id on page 3119, but that item doesn't exist on page 3119.
    Hope this helps,
    John
    Please remember to reward helpful or correct responses. :-)

  • How do I create this table?

    When I paste the buy/sell ticket (table) from this page http://www.globalfutures.com/resources/order-placement.asp into Pages, everything comes out fine except the top - the five columns and split row above Buy and Sell labels.
    Any idea how I can create these five columns without adding new columns that go down the length of the ticket? Same for the top row that is split by columns (one box has "ticket #" and the other "Global Futures Exchange & Trading Company, Inc.").
    I don't know how to create the type of independent columns and rows they are using.

    If you're a client of Global Futures Exchange & Trading Co. Inc. (as opposed to being an employee/associate of Global Futures Exchange & Trading Co. Inc.), is there a need to copy the table?
    As I read the page, the table is a ticket produced after an order is received, not a form on which to place an order.
    All that's needed to place an order is what's described in the section above the table, and illustrated by the single line example:
    How to Place Orders
    The first thing to understand about order placement is that there is a standardized way in which to place an order. When placing an order, there are several pieces of information that need to be conveyed.
    • Name
    • Account Number
    • Order Type (Day, Open, Option)
    • Buy or Sell
    • Number of Contracts
    • Month
    • Commodity
    Here is an example:
    "This is John Smith, Account 650-12345. Day Order: Buy 10 March E-Mini S&P at 1285.50"
    The table appears to be an illustration of the ticket produced by the associate/employee receiving the order.
    Regards,
    Barry
    PS: I'll skip instructrions for constructing the table, as my instructions would be essentially the same as Peter's.
    I'd add a note that having the table model wouldn't particularly simplify the task of copying a similar table (and its information) from the web.
    B

  • Can anyone convert this code to java......(urgent)

    hi everybody.....
    can anybody provide me a java code for the following problem......
    i want that if user enters input like this:
    sam,john,undertaker,rock
    the output should be:
    'sam','john','undertaker','rock'
    i.e , is converted to ',' and the string starts with ' and ends with '
    i have a javascript code for this and it is reproduced below to have full view of the problem.........
    <HTML>
    <BODY>
    <script type="text/javascript">
    function CONVERT(){
    var re=/[,]/g
    for (i=0; i<arguments.length; i++)
    arguments.value="'" + arguments[i].value.replace(re, function(m){return replacechar(m)}) + "'"
    function replacechar(match){
    if (match==",")
    return "','"
    </script>
    <form>
    <textarea name="data1" style="width: 400px; height: 100px" ></textarea>
    <input type="button" value="submit" name="button" onclick="CONVERT(this.form.data1)">
    </form>
    </BODY>
    </HTML>
    can anyone do it for me.
    thx in anticipation

    Sunish,
    On your problem, check in the String class documentation the method replaceAll(), you can solve your problem in just one line of code.
    As for why the serious poster(the ones that are here to help, for many year, instead of just disrupting the forum) do not give you code is that they are here to help people learning and not to give free code.
    You help a person to learn, when you provide this person with the tools to research and help the person to think out of his problem, so that in the future the learning person can repeat the process by herself instead of going after finnished solution everytime he needs it.
    May the code be with you.

  • John Burkey ?. (lead architect of JavaFX ? )

    I came across this on the "JavaFX Blog" this morning.
    http://blogs.sun.com/javafx/entry/going_to_ctia
    To quote "On the agenda we have John Burkey, lead architect for JavaFX, who will be showing off latest and greatest developments in JavaFX and Hinkmond Wong will be presenting a session on Java ME as well.".
    Who is this Mr John Burkey ?. Who is driving JavaFX these days ?. Where is Chris Oliver ?. "Enquiring minds want to know". (Is this expression really yesterday ? :-) , ).
    Seriously, JavaFX has to do lot more to "engage" us, poor developers. I have seen "webinars" hosted by the likes of "Richard Bair", "Amy Fowler", "Hinkmond Wong" etc. Much thanks to Stephen Chin for making that happen. You have done "yeoman service" to this community. If Mr John Burkey is a "lead architect" and is somehow driving Prism (next-gen scenegraph ?) and other strategic initiatives, it would be really (really, really ) useful for us if he can do a "webinar" or something similar.
    The "window of opportunity" for client-side java will not be open forever.
    We need the leaders of the JavaFX team at (Sun/Oracle, Snorcle did'nt quite catch on, did it :-) ) to enlist us "foot soldiers" (the developers) in the battle. Being "closed source", "tight lipped" is'nt helping.
    JavaFX performance sucks. JavaFX composer is a "joke" . My JavaFX app takes a lot more time to start compared to it's swing equivalent.
    Where is the "flagship" app for JavaFX ?. The "Vancouver olympics" site does'nt cut-it. ( IMHO )
    There's got to be a BHAG. ( http://en.wikipedia.org/wiki/Big_Hairy_Audacious_Goal ) in the user space that should drive JavaFX development and usage. Nandini Ramani has talked about the "petstore" in the Java EE world. My favorite candidate continues to be "OpenOffice". IMHO Oracle could play the role of "shepherd", "cheer leader" or something like that as "Cloud Office" is allowed to develop steam in the "open". Oracle's collaboration efforts (beehive ... ) could be waken up from deep slumber.
    I guess, I have said enough. I am a fan of JavaFX and desperately want it to win.
    /rk

    The "webinars" by "Richard Bair", "Amy Fowler", "Hinkmond Wong", hosted at http://www.svjugfx.org/ have been "immensely usefull". On re-reading my original posting, I felt this may not have come across. Hence this "follow-up". Many, many thanks to all of them.
    Cheers ...
    /rk

  • HT4539 I want to have all my itunes data stored in my iphone so that  Iwon't have to go online and be charged.  this is especially because I will be in France and the data charges are high.  How do I do this?  As it i now I only have 171 of my 1500 songs

    The majority of my music 1300 of my 1500 songs are apparently stored in the cloud.  therefore when I am out of wifi range, the majority of my music is grayed out.
    I am going to France next week and I want to be able to listen to my music offline.  Basically, I want to change my phone into an ipod.  How do I do this?
    John Paris

    Either you have to download each song from iCloud or iTunes store, or sync you phone with the iTunes library on your computer

  • I'd like to configure my MacBook Pro so that I can use it both in English and Russian. How do I do this?

    I'd like to be able to use my MacBook Pro for both Russian and English. How do I configure the notebook to do this?

    John, are you perhaps already on Lion? I am a late adapter, so still on 10.6.8
    I am not sure, whether I am able to put here a screen shot to help you ...
    NO its not working :-(
    But I am sceptic, that this will work. (I never saw pictures on this forum ... )
    marek
    Perhaps you drop me a message to my email?
    Intelligence test: take the first letter of my first name "Marek" and then the four letters of my last name "Stepanek" then the at symbol, and podium international in one word, a dot with organisation top level domain

  • ITunes has incorrectly numbered my episodes. How do I change this?

    Hi Folks!!
    I just published my second podcast.  I used podcastgarden and it clearly indicated that I was publishing episode 2.  Can iTunes order these by date published?

    Here is one thought.  I tried to publish the date ahead of schedule, so it will coincide with when it gets posted to my blog.  So, that might be the error.
    I fixed that and I will wait for iTunes to update this information.
    Here are the pieces of data you requested.
    https://itunes.apple.com/us/podcast/ethics-psychology/id809007108?mt=2
    <rss xmlns:atom="http://www.w3.org/2005/Atom" xmlns:content="http://purl.org/rss/1.0/modules/content/"xmlns:itunes="http://www.itunes.com/dtds/podcast-1.0.dtd" version="2.0">
    <channel> 
    <atom:link href="http://www.podcastgarden.com/podcast/podcast-rss.php?id=2550" rel="self" type="application/rss+xml"/> 
    <title>Ethics & Psychology</title>
    <link> 
    http://www.podcastgarden.com/podcast/psychologyandethics#2550
    </link>
    <language>en-us</language>
    <copyright/>
    <itunes:subtitle>...</itunes:subtitle>
    <itunes:author> (John Gavazzi)</itunes:author>
    <itunes:summary> 
    Ethics and Psychology is a podcast focusing on improving the quality of psychological care through education. The podcast will cover a wide range of issues, blending ethics, morality, philosophy, and research to improve the knowledge base of listeners.
    </itunes:summary>
    <description/>
    <itunes:owner> 
    <itunes:name>John Gavazzi</itunes:name> 
    <itunes:email></itunes:email>
    </itunes:owner>
    <itunes:image href="http://multidesigns-images.s3.amazonaws.com/3886-johngavazzi/iTunes_Shot.png"/>
    <itunes:category text="Science & Medicine"> 
    <itunes:category text="Social Sciences"/> 
    </itunes:category>
    <itunes:explicit>no</itunes:explicit>
    <item> 
    <title>Prescriptive Authority for Psychologists</title> 
    <itunes:author> (John Gavazzi)</itunes:author>
    <itunes:subtitle> 
    In this episode, John speaks with Robert McGrath, Ph.D. Bob is a psychologist and Director of the Masters in Science Program in Clinical Psychopharmacology at Fairleigh Dickinson in New Jersey. John and Bob discuss the
    </itunes:subtitle>
    <itunes:summary> 
    In this episode, John speaks with Robert McGrath, Ph.D. Bob is a psychologist and Director of the Masters in Science Program in Clinical Psychopharmacology at Fairleigh Dickinson in New Jersey. John and Bob discuss the
    </itunes:summary>
    <enclosure url="http://www.podcastgarden.com/login/audio-3/3886/Episode2.mp3" type="audio/mpeg" length="6000"/>
    <guid> 
    http://www.podcastgarden.com/episode/prescriptive-authority-for-psychologists_10 946
    </guid>
    <pubDate>Tue, 11 Feb 2014 00:00:00 MST</pubDate>
    <itunes:duration>60:00</itunes:duration>
    <itunes:keywords> 
    Psychologist,,Prescriptive,Authority,,Psychotropic,Medication
    </itunes:keywords>
    <itunes:explicit>no</itunes:explicit>
    </item>
    <item> 
    <title> 
    What Psychologists Need to Know about Divorce, Collaborative Law and Mediation
    </title>
    <itunes:author> (John Gavazzi)</itunes:author>
    <itunes:subtitle> 
    In this inaugural podcast, John interviews Attorney James Demmel about divorce, litigation, mediation, and collaborative law. Psychologists frequently find themselves working with individuals contemplating a divorce or
    </itunes:subtitle>
    <itunes:summary> 
    In this inaugural podcast, John interviews Attorney James Demmel about divorce, litigation, mediation, and collaborative law. Psychologists frequently find themselves working with individuals contemplating a divorce or
    </itunes:summary>
    <enclosure url="http://www.podcastgarden.com/login/audio-3/3886/CLML-Dem.mp3" type="audio/mpeg" length="5700"/>
    <guid> 
    http://www.podcastgarden.com/episode/what-psychologists-need-to-know-about-divor ce-collaborative-law-and-mediation_10134
    </guid>
    <pubDate>Mon, 27 Jan 2014 00:00:00 MST</pubDate>
    <itunes:duration>57:00</itunes:duration>
    <itunes:keywords>divorce,,litigation,,collaborative,law,,mediation</itunes:keywords>
    <itunes:explicit>no</itunes:explicit>
    </item>
    </channel>
    </rss>
    <Email Edited by Host>

  • Is there a stereo bluetooth headset that can pair with more than one device at a time?

    Is there a stereo bluetooth headset that can pair, i.e. multipoint, with more than one device at a time?
    Are the MacBook and iPhone 4 capable of multipoint bluetooth technoloagy?
    The goal is for my wife to be able to watch her Korean TV soap operas on her MacBook and still receive a call on her iPhone 4 via a stereo bluetooth headset.
    I was looking at the Motorola S10-HD but after further review saw that it only pairs with one device at a time.
    Appreciate any and all input. My Googling has returned no results.
    Rick

    TeslasBB wrote:
    pairing my BB8330 with my blue tooth earphone(TM:jawbone) and my microsoft sync thats in my car simultaneously? if i pair with the car, will i have to pair my jawbone all over again?
    You can only pair one device at a time to your 8330, or any other phone for that matter.  The "pairings" are saved to the phone, you can use one or the other and you won't have to pair it again.  Once you turn your bluetooth device on and the phone is on, they will find each other again.
    Hope this helps,
    John
    Stevie Ray! 1954-1990
    ** Don't forget to resolve your post with the accepted solution.

  • USB audio input to voice-over tool not working

    with FCE-HD on iMac i have system preferences set to USB-122 Tascam box for audio input/output (works great with GB for instance) but when i try using it for audio input on FCE and the voice-over tool set to USB-122, i hear no audio, the level meter doesn't more, etc, its still taking the audio from the built-in mic.
    im sure its something simple im overlooking??
    tia

    Mark,
    See if this post helps. Not familiar with USB audio devices myself, but found this searching:
    John Hayward, "Audio out from FCE HD to USB audio iMic" #1, 10:11am Oct 4, 2005 CDT

  • Subtotal issue when subtotaling on a calc field built using CASE function

    Okay, I hpe I can explain this well. May be possible that this is something cannot handle in Discoverer. I am using Discoverer Plus to develop a new workbook - cross project expenditure inquiry. A requirement is to not allow a worksheet user to see labor cost (since possible to figure out someone's salary) amount unless they are allowed to view labor cost. I have a function that returns a Y/N value that tells me if they can view labor cost. That works out just fine. So what I am doing is taking my database cost column (which is defined as Number(22,5) in the Oracle table. I create a new calculated column, basically like this -
    CASE WHEN expenditure type <> LABOR THEN cost WHEN view labor cost = 'Y' THEN cost ELSE NULL END.
    That calculated column is working just fine. I am seeing my desired results in that column. Okay so far.
    Next, the users want subtotals by project organization and project. So I created a new total. When I did that, my subtotal row amount is blank.
    Okay, I have seen this happen with NULLS before. Like in the gl_je_lines tables, where the accounted_Dr and accounted_Cr may be null, and have to do a NVL function to convert the null to 0 and allow me to subtotal on the column in a Discoverer workbook.
    So I tried creating a second calculation -
    NVL(Cost,0)
    So I return the cost if not null, otherwise I return 0. Second calc column results look okay.
    Now I did a subtotal on the second calculation. Oops. Wrong result. Amount is shown as 0.
    For grins, I went back to my CASE statement on my first calculation and changed the ELSE condtion from NULL to 0. When I did that, the subtotal on that column changes from a blank (Null) value to a 0 value. Well, better, but still just like my second calculation subtotal.
    Obviously the users have the option to export to Excel and subtotal in Excel.
    Does anyone know of a way to get a good subtotal in this kind of situation, where I am attempting to subtotal on a calculated field that is built on a CASE function? Or am I out of luck when it comes to Discoverer?
    John Dickey

    Okay, I did find a workaround, though I do not understand why the workaround works, but why the way I first tried to get a subtotal did not work. What I did is that I had to go to Discoverer Administrator. I picked my folder and did an Insert/Item. I created my new item building the same CASE statement that I used in my worksheet to create a new calculation. I then closed Discoverer Plus and reopened Discoverer Plus. Opened my worksheet. Edited the worksheet and brought in my new (derived) item from my folder. Then I created my subtotals for this secured cost amount. Voila. I get a number now, and the subtotal amount appears to be correct (still testing/verifying, but looks okay so far). So I deleted my subtotals on my calculated column and then deleted the calculation, to get that stuff out of the report. Sure would be nice if there was documentation in the Discoverer manuals about this.
    John Dickey

  • Front Panel Mass Binding Project Variables Issue

    Hello -
    When attempting to bind controls to shared variables through the front panel mass binding option, there is an issue where you can not seem to bind a "project item" to the control. The method of binding I am using is to export a text list of control names, urls, mode, and function to a text editor utilizing the front panel binding mass configuration options.  The text editor shows, in the fourth column, a "0" for no function, a "1" for network item, and a "2" for project item. when attempting to import the list back into the front panel binding mass configuration, all "2" indications become "1", as all items are treated as network. Thus one can not effectively bind to a project shared variable item.
    The binding works fine manually by means of utilizing the properties selection of the control, but it is difficult to do this for 821 controls, as in my application.
    My application is based on a OPC served group of 821 variables which are linked to controls and indicators through the shared variable representation for each item created in the multiple variable editor.
    Does anyone have a work around for this issue, as it is a showstopper right now, ie, you can not effectively bind a large quantity of controls or indicators to project located shared variables as required.
    The rationale behind utilizing project located variables instead of network located variables is to reduce the amount of calls to the OPC server which was causnig a large latency in the refresh of the 821 items. With the items defined as shared variables within the project, a single call is issued, which has tremendously sped up the refresh cycle for the list of variables.
    Thank you in advance for your insight in this matter,
    John DeCroos

    Hello Brian A.,
    In response to you comment --
    "in 2006, and John did not follow up with any more information for Efosa"
     -- a great deal of information was provided to NI (Efosa and many, many others, up to the product manager for the DCS module). I have never heard back on a fix for this bug for the identified version of LabVIEW. The reply by Efosa here was well after we had shipped our product -- (please see date + Efosa's apology) -- we had found our own solution as is identified in the original post.
    My solution was, as is also indicated in my original post, to manually bind each variable. This was unbelievably time consuming, but was all I had.
    The version of software I am now working on uses far less variables, manually bound to avoid the multiple binding issue we had in the past.
    I have checked the mass binding function in LV 8.5.1, it works fine now. I guess it would have been nice to have had a reply that the bug had been resolved ---- would have helped me out a bit.
    Thank you,
    John DeCroos

Maybe you are looking for

  • How can I have two Apple IDs (one from Canada and one from the UK) for the same device?

    I originally bought an iPhone in Canada and had my first Apple ID while there. I still want to have this account, as there are some Canadian apps that I wish to have and keep updating. However, I am now living in the UK - yet when I try to search for

  • Can't delete folders in d:\Program Files due to TrustedInstaller

    Hi  I have a new c: drive (its an SSD and I love it), but now I'd like to delete the Program Files on my second drive (which used to be my primary drive). I followed the instructions found in this forum below (I couldn't past a link here because appa

  • Deleted Previous System Folder, No 10.5 Restart

    Apparently I've done a bad, bad thing. I installed 10.5 with the the archive and install option which created the "previous system" folder. Later I recovered what I wanted from that folder and deleted it. Now when I attempt to start in Mac OS I get a

  • Error While Confirmation: Grant 0 does not exist

    Hello Experts, We have SRM 4.0 While doing confirmationuser got error: 'Grant 0 does not exist'. (SC with,Service line item with Acct Assignment Category : Asset valuated GR(E) with asset number but no GL acct),                                       

  • Logic synths; ES2 etc. - what do they stand for & what types of synthesis?

    I'm talking here about the synths that come with Logic: ES1, ES M, EVD6, EFM1, ES1, ES2, ES E, ES P, EVB3, EVP88. What do these abreviations stand for? - I assume it goes back a long way, and the E might be for E-Magic. M and P probably mean Monophon