Trying to make a Flex4 copy of Insync

Hi there,
I'd like to use Cairngorm 3 with Parsley in a new Flex 4 project. To start understanding what I need to do, I thought I'd first take the Insync modular extended project, and try to reproduce some core parts of it in Flex 4. I have got a certain way, but am having trouble which may be something very straightforward I'm missing.
Here's my code. References to core are simply a copy of the insyncModularExtended-core project and the three sections are separate projects which each only contain a label, "Section1", "Section2", "Section3".
//Shell.mxml
<s:Application xmlns:fx="http://ns.adobe.com/mxml/2009"
               xmlns:s="library://ns.adobe.com/flex/spark"
               xmlns:mx="library://ns.adobe.com/flex/mx"
               xmlns:core="test.core.*"
               xmlns:cairngorm="com.adobe.cairngorm.*"
               xmlns:presentation="test.presentation.*"
               preinitialize="FlexContextBuilder.build(TestContext);"
               addedToStage="dispatchEvent(new Event('configureIOC', true))">
    <s:layout>
        <s:VerticalLayout />
    </s:layout>
    <fx:Script>
        <![CDATA[
            import test.TestContext;
            import org.spicefactory.parsley.flex.FlexContextBuilder;   
        ]]>
    </fx:Script>
    <fx:Declarations>
        <cairngorm:CairngormNavigationSupport />
    </fx:Declarations>
    <fx:Style source="TestStyles.css" />
    <presentation:Toolbar width="100%" />
    <presentation:ContentViewStack width="100%" height="100%" />
</s:Application>
//TestContext.mxml
<fx:Object xmlns:fx="http://ns.adobe.com/mxml/2009"
           xmlns:s="library://ns.adobe.com/flex/spark"
           xmlns:mx="library://ns.adobe.com/flex/mx"
           xmlns:module="com.adobe.cairngorm.module.*"
           xmlns:infrastructure="test.infrastructure.*"
           xmlns:presentation="test.presentation.*"
           xmlns:application="test.application.*">
    <fx:Script>
        <![CDATA[
            import org.spicefactory.lib.reflect.ClassInfo;
        ]]>
    </fx:Script>
    <fx:Declarations>
        <!-- Presentation -->
        <presentation:ToolbarPM />
        <presentation:MoneyPM />
        <!-- Infrastructure -->
        <module:ParsleyModuleDescriptor objectId="section1"
                                        url="../../test-section1/bin-debug/Section1.swf"
                                        domain="{ ClassInfo.currentDomain }"/>
        <module:ParsleyModuleDescriptor objectId="section2"
                                        url="../../test-section2/bin-debug/Section2.swf"
                                        domain="{ ClassInfo.currentDomain }"/>
        <module:ParsleyModuleDescriptor objectId="section3"
                                        url="../../test-section3/bin-debug/Section3.swf"
                                        domain="{ ClassInfo.currentDomain }"/>
        <infrastructure:AlertHandler />
    </fx:Declarations>
</fx:Object>
//Toolbar.mxml
<s:Group
    xmlns:fx="http://ns.adobe.com/mxml/2009"
    xmlns:s="library://ns.adobe.com/flex/spark"
    xmlns:mx="library://ns.adobe.com/flex/mx"
    addedToStage="dispatchEvent(new Event('configureIOC', true))">
    <s:layout>
        <s:HorizontalLayout/>
    </s:layout>
    <fx:Script>
        <![CDATA[
            import test.presentation.ToolbarPM;
            [Inject]
            [Bindable]
            public var model:ToolbarPM;
        ]]>
    </fx:Script>
    <mx:ToggleButtonBar
        dataProvider="{ model.menuItems }"
        selectedIndex="{ model.selectedIndex }"
        itemClick="model.navigationBarHandler(event.item)" />
</s:Group>
//ToolbarPM.as
package moneyinfo.presentation
    import com.adobe.cairngorm.navigation.NavigationEvent;
    import flash.events.EventDispatcher;
    import test.application.ContentDestination;
    import mx.collections.ArrayCollection;
    import mx.collections.IList;
    import mx.utils.StringUtil;
    [Event(name="navigateTo", type="com.adobe.cairngorm.navigation.NavigationEvent")]
    [ManagedEvents(names="navigateTo")]
    public class ToolbarPM extends EventDispatcher
        public static const SECTION1:String = "section1";
        public static const SECTION2:String = "section2";
        public static const SECTION3:String = "section3";
        [Bindable]
        public var menuItems:IList;
        [Bindable]
        public var selectedIndex:int;
        public function ToolbarPM()
            menuItems = new ArrayCollection([SECTION1,SECTION2,SECTION3]);
        public function navigationBarHandler(label:Object):void
            var destination:String;
            switch(label)
                case SECTION1:
                    destination = ContentDestination.SECTION1;
                    break;
                case SECTION2:
                    destination = ContentDestination.SECTION2;
                    break;
                case SECTION3:
                    destination = ContentDestination.SECTION3;
                    break;
            dispatchEvent(NavigationEvent.newNavigateToEvent(destination));
//ContentDestination.as
package test.application
    public class ContentDestination
        public static const SECTION1:String = "content.section1";
        public static const SECTION2:String = "content.section2";
        public static const SECTION3:String = "content.section3";
//ContentViewStack.mxml
<mx:ViewStack xmlns:fx="http://ns.adobe.com/mxml/2009"
              xmlns:s="library://ns.adobe.com/flex/spark"
              xmlns:mx="library://ns.adobe.com/flex/mx"
              xmlns:presentation="test.contacts.presentation.*"
              xmlns:core="test.core.*"
              addedToStage="dispatchEvent( new Event( 'configureIOC', true ) )">
    <fx:Metadata>
        [Waypoint(name="content")]
    </fx:Metadata>
    <fx:Script>
        <![CDATA[
            import test.application.ContentDestination;
            import mx.modules.IModuleInfo;
            [Bindable]
            [Inject(id="section1")]
            public var section1:IModuleInfo;
            [Bindable]
            [Inject(id="section2")]
            public var section2:IModuleInfo;
            [Bindable]
            [Inject(id="section3")]
            public var section3:IModuleInfo;
            public override function set selectedIndex(value:int):void
                super.selectedIndex = value;
        ]]>
    </fx:Script>
    <core:TestViewLoader
        automationName="{ ContentDestination.SECTION1 }"
        width="100%" height="100%"
        info="{ section1 }" />
    <core:TestViewLoader
        automationName="{ ContentDestination.SECTION2 }"
        width="100%" height="100%"
        info="{ section2 }" />
    <core:TestViewLoader
        automationName="{ ContentDestination.SECTION3 }"
        width="100%" height="100%"
        info="{ section3 }" /> 
</mx:ViewStack>
What happens, when I run it, I get a blank screen. If I debug, I find that the model (ToolbarPM) in the Toolbar component is null. So, it's not being injected correctly.
Can anyone see what I'm missing?
Thanks!

Hi Eric,
All Insync samples are compiled with Flex 4 so I'm thinking that you might not use an up-to-date version. Could you get the latest from trunk, please?
Best,
Alex

Similar Messages

  • HT203477 Trying to make a Master copy. But I keep getting this The operation could not be completed because an error occurred when creating frame 2846 (error-1).How to correct it find the frame or?. I shot both 720p and 1080i also pictures Trying to do 10

    Trying to export my project as a mastercopy but keep getting error message  "creating frame 2846 error 1" I don't know what to do? do I try and find the frame and if I do how.

    I have the same error but i dont know how to thrash the render files and switch off background rendering.
    my problem is in the frame 6150 how to fix this problem. i need your help because i have to present this work for tomorrow

  • Using A FireWire cable between two Macs and Migration Assistance to transfer all my desktop to my macbook laptop, will all my apps, bookmarks, contacts and files be transferred? I am trying to make a complete copy of my desktop to my laptop.

    Using a FireWire cable between two Macs and the Migration Assistance feature, will al my apps, bookmarks, contacts and files be tranferred?

    See Pondini's Setup New Mac guide

  • I keep getting input/output error put when trying to make a complet copy of my hard drive, which also has vista using fusion.i have did the permissions and repaired, disk verify.

    error input/output

    Yes. Formatted correctly. It' s new ext HD and I made a the first back up on it a few days ago using time machine while my computer was in safe mode. When I was able to restart my computer normally I quickly set up a time machine backup to my larger 5 TB ext drive. Also new and formatted for my mac. I was in a rush to get it going before I left for work so maybe I did something wrong. IDK. I can't remember but it did ask me about switching drives vs setting up. Although I don't see why the computer wouldn't see the drive.
    I did try another firewire cable and no change. Checked connections again.  The HD turns on and the blue light comes on  (it's a La Cie d2 quadra deskdrive)
    Is the SMC reset where you detach devices and restart?  My printer, keyboard and mouse are all wireless and right now I don't have anything else connected.
    I'll try another PRAM reset too.
    *  Question:
    When I connect the 3 TB drive it starts up but I don't see it on my desktop, finder sidebar or in disk utility. If a hard drive starts up but doesn't show up on your computer how do you safely shut it down before disconnecting?  I've been clicking on the desktop and then pressing the eject button on my keyboard just in case.

  • Unable to make the Client Copy

    Hi Team ,.
                 I am trying to make a client Copy after SCCL transaction is performed when we check the status
    in SCC3 it's throwing an error
    Error :
    Client 200 logon locked
    Client Copy probably cancelled
    The Client could be the source client of a copy
    Reset Lock        Keep Lock      Cancel
    Please help
    Regards ,
    Madhu

    I went through this Document
    Client copy error :
    RFC destination for client copy in systems with Financials Basis
    (FINBASIS) component.
    The system could not find any suitable RFC destination for processing
    for client 001.
    This note also appears if an RFC destination was found but this does not
    work.
    o   RFC destination: 001
    o   Error text:
    Proceed as follows to eliminate this error:
    1.  Start the wizard to create a new RFC connection
    or perform the following steps manually:
    1.  Create an RFC destination with the target ZK>source client of client
         copy (in this case 001).
    2.  Check whether the RFC destination works in transaction SM59.
         To avoid errors when assigning the password or the authorizations of
         the RFC user, use the authorization test Test -> Authorization.
    3.  Enter the RFC destination:
         -   Transaction: FINB_TR_DEST (Destinations for Transport Methods of
             the Financials Basis)
         -   Client: 001
    4.  Start the client copy again.
    SOLUTION:
    Login to client 001
    Go to sm59, create rfc connection type 3, give the rfc destination : FINBASIS_001
    Logon and security--> give user id and password (of any user in client 000)(user should be a service user or communication user so as to avoid password lock situation)
    Check Test connection: test ---à authorization test.
    Login in to new client: 800
    Run the tcode: FINB_TR_DEST
    Click on new entries:
    Give the client: 001 and destination as FINBASIS_001 and save .
    Run Tcode: sccl
    Source: 001
    Target: 800
    Run as background job.  Go to sm37 & check the status.

  • Regarding Pages: I can't access the document I was writting on at all. I have tried to send the document to my email, I've tried to make a copy but nothing seems to work, it just shows up blank.

    Regarding Pages: I was writing using the app Pages when I left the page I was writting on but now I can't access it at all. I have tried to send the document to my email, I've tried to make a copy but nothing seems to work. The document still exists and I can see my writting as I can with all other documents but I can't open that page.

    Try:
    - Reset the iOS device. Nothing will be lost
    Reset iOS device: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Connect the iPad to your computer and try to get the document via File sharing
    - Try getting the document from iCloud.com if you are using iCloud

  • I have a DVD I recorded from my tv.  I am trying to make copies and when I insert the DVD I get a message saying it is blank even though it is not.  My question are: Why does my computer think it's blank? And how can I copy a DVD?

    I have a DVD I recorded from my tv.  I am trying to make copies and when I insert the DVD, I get a message saying the DVD is blank, which it is not.  My questions are: Why does my computer think it's blank?  And how can I copy the DVD providing my computer recognizes there is content on it?
    Thanks, Sheila

    TV video typically is copyrighted content.  We'd be breaking several rules trying to help you.  Good luck!

  • When trying to install a digital copy, everything works including the downloading, until it is processing to iTunes then I receive "You do not have enough access privilages for this operation. Check the disk to make sure it is clean and retry." error.

    When trying to install a digital copy, everything works including the downloading, until it is processing to iTunes then I receive "You do not have enough access privilages for this operation. Check the disk to make sure it is clean and retry." error.
    Tryed several times, Same Results. Tryied rebooting, logging out & into iTunes, Same Result. Seems to do this error with every digital copy, but works eventually. But now will not post digital copy to my iTunes at all. Just same error over and over.
    Any Thoughts??

    Oddly enough. I think I just solved it. It looks like, for some reason, my computer has about 8 different "iTunes music" folders, and I've been saving my music to the wrong one. Neat. Music now imports and plays as it should. Copying things over is going to be so fun tonight!

  • Scanner failure error message when trying to make a copy

    I have a continual scanner failure message on m y 750 xi when I try to make a copy.  Unit prints OK from my computer, but refuses to just make a simple copy.  I have tried shutting of and resetting and unplugging and all that stuff many times.  The light on the scanner does come on.  Thanks.

    I too am having this problem and have had, for about a week now.
    I've found that by logging off itunes (if I can), closing it down, and then restarting it, sometimes allows it to work for one transaction (say downloading an updated app). After that it's back to the same error.
    Really annoying.

  • Trying to make a DVD with an old/non-existent version of iDVD!

    Ladies and Gentlemen,
    Please could you help me?
    I work at a school in the UK, and have recently been able to purchase an external Lacie DVD drive, as the school’s computer (currently an iBook G4 with OSX 10.3.2 and a 1GHZ Power PC Processor – 640 MB Memory and a 40 GB HD) wasn’t shipped with one – however, I have a problem…
    Trying to make a DVD that will play in a stand-alone DVD player – I followed the advice in iMovie Help – but was stopped suddenly on finding that I do not have the relevant version of iDVD (which version (if any – I can’t see it anywhere!) was shipped with iMovie 4.0?). Is it possible to download a copy of iDVD 3 or later from anywhere compatible with OSX 10.3.2 and iMovie 4.0?
    The iMovie Help has an additional option to ‘export your movie in a format appropriate for DVD authoring’ which has let me burn the movie as a (name).DV file – but this is not compatible with any DVD player I have tried. I noticed a while ago on this forum that someone was talking about Toast but I do not have this, but I do have Roxio Easy Media Creator 7, which was bundled with the burner – but is only compatible with a PC – would I be able to build a project in iMovie, transfer it to a PC, and use REMC7 to do what toast would?
    Finally, I was wondering if anyone has any experience of using Avid’s free DV software – and if they would recommend it (and also if I would be able to make DVDs with it?).
    Well thanks for reading if you got this far – and I’d appreciate it if you could offer any advice (I know I’ve not been very concise)…
    Kevin.
    iBook G4   Mac OS X (10.3.2)  

    Thanks for the welcome Karsten! I’ve checked the installer disks – which appear to have all the main pieces of software, but not iDVD. If you or anyone knows where it might be hidden that would be great. Thanks for all the other info too!
    Thanks Lennart – I don’t think my computer could support iLife ’05 as it is running Mac OSX 10.3.2 and I’ve just been looking at its system requirements which state it requires 10.3.4 minimum – if you know differently, please let me know. As an alternative I have considered getting iLife ’04, but your comment about iLife ’05 being the first version to support external drives worried me (“iDVD 5 is the first iDVD version that officially supports external burners“ does this mean there is an unofficial option for iLife ‘04? Perhaps a patch similar to the one mentioned by Karsten), does that mean iLife ’04 would not support an external Lacie DVD writer?
    What is the earliest version of Toast I’d be able to use (as a money saving option!)?
    Thank you both, and apoligies for my amateurish questions…
    Kevin.

  • Trying to make a clone backup of my internal HD but my iMac no longer recognizes my external HD.

    Short story: I am trying to make a clone of my internal drive using Super Duper! but the 3 TB La Cie external hard drive I want to copy to isn't being recognized by finder or in disk utility. The external hard drive is powered and attached to the desktop via firewire cable. It was properly formatted and made one seemingly successful backup prior to this attempt.
    Specs: I have a 27 in iMac with 2 GHz Intel Core i7 processor, purchased in late 2009. Running Mac OS 10.6.8 with 8GB RAM.  I have a 2 TB internal HD with only 80 GB available.
    Background: I've had few if any problems with this computer but I'm running out of disc space. It's getting a little sluggish and I find that I am force quitting iPhoto more often than I used to. I was getting ready to put a long overdue (less labor intensive) backup plan in place. I had been using DVDs to back up photos and some documents. My computer crashed last week while working in iPhoto. The screen was speckled and banded and I could not restart.  I was able to boot in safe mode and run disk utility. The verification stopped (corrupted files found) and disk utility recommended repair.  I did a safe mode back up with time machine to the 3 TB ext HD. I tried unsuccessfully to run safe mode with networking to attempt online backup with Crashplan. I read something about installing mac os x on ext HD and then dragging files over to it, but DVD player not functional in safe mode. Then I called Apple support to run what I had done by them and to ask for advice before running disk repair.  We tried a PRAM reset but still couldn't restart in normal mode. He said my safe mode backup should be good and to run the repair, restore if necessary and if that doesn't work bring it to Apple for hardware testing.  I read somewhere that PRAM resets need to be done with a USB (not wireless) keyboard so I tried again doing a few PRAM/NVRAM resets.  No change. Later, maybe even the next day, the screen which had been banded and speckled looked normal again. Not sure why but happy.  I restarted successfully. I ran a time machine backup in normal mode to a 5 TB external HD and wanted to make a bootable clone of my mac HD to the 3 TB ext HD (in place of the safe mode backup). The computer crashed again for a little while and I was eventually able to restart. I downloaded Super Duper! but my mac no longer sees the 3 TB external drive. Maybe I did something wrong when I changed drives in time machine for the last backup?  I'm guessing I could crash again at any moment and would love to get this clone made.

    Yes. Formatted correctly. It' s new ext HD and I made a the first back up on it a few days ago using time machine while my computer was in safe mode. When I was able to restart my computer normally I quickly set up a time machine backup to my larger 5 TB ext drive. Also new and formatted for my mac. I was in a rush to get it going before I left for work so maybe I did something wrong. IDK. I can't remember but it did ask me about switching drives vs setting up. Although I don't see why the computer wouldn't see the drive.
    I did try another firewire cable and no change. Checked connections again.  The HD turns on and the blue light comes on  (it's a La Cie d2 quadra deskdrive)
    Is the SMC reset where you detach devices and restart?  My printer, keyboard and mouse are all wireless and right now I don't have anything else connected.
    I'll try another PRAM reset too.
    *  Question:
    When I connect the 3 TB drive it starts up but I don't see it on my desktop, finder sidebar or in disk utility. If a hard drive starts up but doesn't show up on your computer how do you safely shut it down before disconnecting?  I've been clicking on the desktop and then pressing the eject button on my keyboard just in case.

  • Im making a photo slide show using imovie. how will i make a dvd copy that can play in both pc and dvd player.  i dont have an idvd anymore. m using a mbp early 2011 osx 10.8.5

    im making a photo slide show using imovie. how will i make a dvd copy that can play in both pc and dvd player.  i dont have an idvd anymore. m using a mbp early 2011 osx 10.8.5.
    after making the photo slide show, i clicked share>export movie.  after which i burned using toast. the file became a .mov.  i tried playing it in my mac and it worked. my fear now is will it also play in a regular dvd?... i read from google that mov files won't run in dvd players.  what format should i convert it to so it'll play in a dvd player.  can you suggest a faster way i can burn my projects for it takes me almost an hour to export.  im going to make 28 slideshows for my kids in school. *=( if i need to do this process 28 times, i may not be able to finish it on time.  please suggest a software or an alternative as to how i should do this... m more comfortable using imovie than iphoto.  thanks and i hope to hear from someone soon *=j

    Thank you QuickTimeKirk...used toast to burn project... my project was in .mov, i tried to play it a dvd player, it did play... will try again tomorrow using another dvd player just to be sure it'll will really work with dvd players.  thank you again for your reply *=)

  • Trying to make imovie incorporating trailer, video and slideshows

    i am trying to make a video in iMovie starting with a trailer, then a movie (video clip), then a slideshow, another movie, another slideshow, another movie, then my last slideshow.  I burned a copy, but it won't play continuously.  I have to keep going back to the menu to choose the next section.  How can I set it so it goes from the trailer right into the movie then into the slideshow, etc.....?

    i didn't mean to say iMovie.  I meant to say iDvd.  I have finalized the trailer as an imovie and I have exported the slideshows into itunes and dragged them into my iDvd.  They are all there and will burn just fine, I just don't know how to get them to play continuously without my intervention when they burn!!!!

  • HT1725 i am trying to download a digital copy of a movie but it tells me the code has been redeemed and can only be redeemed once what can i do

    i am trying to put a digital copy from univeraldigitalcopy.com on my i tunes so i can put it on my ipad but it tells me my code has already been redeemed is there anything i can do to make this work thanks for your help

    You don't say which film you're struggling to download, I had problems with a-team and I ended up emailing the address on the leaflet, turns out they had a lot of problems  with people's codes,  they then gave me a new code to use! I have now managed to get the film downloaded?

  • Help : Lost in Code - Trying to make a simple Click-Through

    Hey Everyone -
    I've come in search of some help and expertise. I've found a
    website which I would like to copy in functionality - in hopes of
    creating a simple slideshow of images. They are using the MOOTOOLS
    framework for the Slide animation - i've gotten that to work
    - but i can't figure out how to replicate the clickthrough-
    SO - what i'm trying to do is copy this page exactly -
    http://www.thegraphicgraphic.com/
    you'll see that it's just three lines of text ( rollovers )
    and the last line opens up a javascript slider window - now i've
    managed to copy most of it by taking the code and figuring out the
    urls for the javascript and such .
    check out my version here :
    http://www.nontype.com/beograd.html
    i've got the css and java stuff working okay - but what i
    can't seem to figure out at all is how they are getting the
    rollover links to link to the NEXT IMAGE - they're using some tags
    that i don't understand : it looks something like this : : :
    <div id="header">
    <ul>
    <li>
    <a href=""
    onmouseover="this.innerHTML = 'NEXT'"
    onmouseout="this.innerHTML = 'THE'">
    THE</a>
    </li>
    <li>
    <a href=""
    onmouseover="this.innerHTML = 'PREVIOUS'"
    onmouseout="this.innerHTML = 'GRAPHIC'">
    GRAPHIC</a>
    </li>
    <li>
    <a href="#" id="button" onmouseover="this.innerHTML =
    'INFORMATION'"
    onmouseout="this.innerHTML = 'GRAPHIC'">
    GRAPHIC</a>
    </li>
    </ul>
    </div>
    AND The JAVASCRIPT Used for both the sliders ( and I assume
    the click-through functionality ) is :
    window.addEvent('domready', function() {
    var Slider = new Fx.Slide('about',{mode: 'horizontal',
    duration: 100}).hide();
    $('button').addEvent('click', function() {
    Slider.toggle('horizontal');
    function noSpam(user,domain) {
    locationstring = "mailto:" + user + "@" + domain;
    window.location = locationstring;
    function MM_openBrWindow(theURL,winName,features) { //v2.0
    window.open(theURL,winName,features);
    I just want to click NEXT to progress to the next background
    image / and PREVIOUS for the prev. image . . . . . . . . Could
    anyone here tell me how to do this as in the first site ? ? ? Would
    I be able to simply create multiple HTML Pages - use an Embed tag -
    and then link the PREV and NEXT buttons with tags ?
    I'm just trying to make this work by any means but am finding
    the code impossible to crack -
    I tried asking this question in the mootools forum but was
    told to look elsewhere - I'm more than willing to use
    any other means in order to make this work .
    MANY THANKS IN ADVANCE FOR YOU HELP . . .

    Have you asked the authors?
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.dreamweavermx-templates.com
    - Template Triage!
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    http://www.macromedia.com/support/search/
    - Macromedia (MM) Technotes
    ==================
    "aerolex" <[email protected]> wrote in
    message
    news:f2naeu$q66$[email protected]..
    > Hello - would anyone have any advice - or should i
    somehow reword the
    > question ?
    >
    > or could some provide some insight as to where i might
    look to resolve
    > this question ?
    >
    > THANKS AGAIN

Maybe you are looking for

  • Clip doesn't retain its proper duration

    Hi there, I have a 1 min. 6 sec Quicktime movie that I'm trying to import into Final Cut Pro. My problem is that whenever I try to import it, it doesn't retain the proper duration. It shortens itself to 1 min. and 3 or so seconds. I've tried restarti

  • Bug Report - DB toolkit returns error when calling the DefaultDatabase property with SQLite

    There's an old bug in the DB toolkit where calling the DefaultDatabase property returns error -2147217887 if you're using certain DBs (such as SQLite or PostgreSQL and I believe MySQL as well). The problem is that this property is called by a VI whic

  • Agent Determination using a Rule

    Hi All, I tried finding related threads, but was not able to find anything that exactly matches this issue. I have an Activity type task to which I have assigne a rule for agent determination. I am assigning the SAP userid to the actor_tab in the fun

  • Word Docs not considered a "Kind" is "Documents"

    When using the finders spotlight I can add a filter to search for "Kind" is "Document" why doesn't Word doc files show up but can only be found if I filter on "Other". Is there a way to change this so that Word Docs are considered Kind=Documents?

  • Windows doesnt detect SoundBlaster wireless tactic 3d v2.0

    Hello Even though I said in the title that windows doesnt detect it that isnt entirely correct but it would have cluttered the title even further so today I bought this headset and im trying to get it to work so a few informations would help: I use w