Error # 1084

It's me again.
I corrected the error # 1009 and now i get 2 more : # 1084.
I tried to correct but i can't see.
Tks a lot.
package {
          //composante du texte
          import flash.display.*;
          import flash.text.*;
          //importation des composantes du programme
          // composante du bouton
          import flash.events.*;
                    //création des classes du programme
          public class U2A5_JeuTicTacToe extends MovieClip
                    //Déclarer les constantes.
                    //combien de case par rangees et par colonnes
                    private static const RANGEES:int=3;
                    private static const COLONNES:int=3;
                    // grandeur des cases pour les rangees et les colonnes
                    private static const RANGEE_HAUTEUR:Number=85;
                    private static const COLONNE_LARGEUR:Number=85;
                    private static const RANGEE_DECALAGE:Number=10;
                    private static const COLONNE_DECALAGE:Number=10;
                    //Déclarer les variables pour le reste du programme
                    // variable pour la memoire de la derniere case selectionner
                    private var caseCourante:Cases;
                    // identifie une colonne ou rangee spécifique
                    private var tttRangee:int;
                    private var tttColonne:int;
                    // identifie le joeur courant donc les x ou les o
                    private var joueurCourant:int=2;
                    // variable pour savoir quand les 9 cases ont été choisi
                    private var nombreDeClics:int=0;
                    // variable pour le X et le O
                    private var joueurSymbole:String="X";
                    // variable utilisé quand un joueur gagne
                    private var gagnant:String="Début";
                    //Utiliser un tableau pour reseter au courant des x et des o pour chaque rangee.
                    var rangee1:Array=[" "," "," "];
                    var rangee2:Array=[" "," "," "];
                    var rangee3:Array=[" "," "," "];
                    //Insérer les rangées dans un tableau conteneur nommé TTTPlancheJeu.
                    var TTTPlancheJeu:Array=[rangee1,rangee2,rangee3];
                    //Utiliser une fonction constructeur pour dresser la planche du jeu.
                    public function U2A5_JeuTicTacToe():void
                              // boucles for pour creer les trois colonnes et les trois rangees
                              for (var c:int=0; c<COLONNES; c++)
                                        for (var r:int=0; r<RANGEES; r++)
                                                  // code pour creer chaque case une a cote de l'autre
                                                  var caseAffiche:Cases =  new Cases();
                                                  caseAffiche.stop();
                                                  caseAffiche.x=c*COLONNE_LARGEUR+COLONNE_DECALAGE;
                                                  caseAffiche.y=r*RANGEE_HAUTEUR+RANGEE_DECALAGE;
                                                  addChild(caseAffiche);
                                                  // code pour que le programme ecoute pour un evenement de click pour qu'un coup soit joue
                                                  caseAffiche.addEventListener(MouseEvent.CLICK, joueUnCoup);
                    // code de la boucle for pour la partie des coups joué
                    public function joueUnCoup(event:MouseEvent)
                              // variable qui calcule du nombre de clic ajoute 1
                              nombreDeClics++;
                              // lorsqu'un click sur une case est fait - le bon symbole doit apparaitre - ceci en est le code
                              caseCourante = (event.target as Cases);
                              caseCourante.symbole=joueurCourant;
                              caseCourante.gotoAndStop(joueurCourant);
                              situeSurPlancheJeu();
                              // code pour verifier si il y a un gagnant
                              verifieGagnant();
                              // code pour changer de joueur pour le prochain coup
                              changeJoueur();
                    // code pour situer quel case le joueur a selectionner
                    function situeSurPlancheJeu():void {
                              // basé sur les coordonnées X et les coordonnées Y
                              if (mouseX<=85) {
                                        tttColonne=0;
                              } else if ((mouseX > 85) && (mouseX <= 170)) {
                                        tttColonne=1;
                              } else if ((mouseX > 170) && (mouseX <= 255)) {
                                        tttColonne=2;
                              if (mouseY<=85) {
                                        tttRangee=0;
                              } else if ((mouseY > 85) && (mouseY <= 170)) {
                                        tttRangee=1;
                              } else if ((mouseY > 170) && (mouseY <= 255)) {
                                        tttRangee=2;
                              // basé sur lequel des if qui fonctionne le programme utilise ces données dans ce code et met le symbole sur la bonne case
                              TTTPlancheJeu[tttRangee][tttColonne]=joueurSymbole;
                    // code pour vérifié si il y a un gagnant.
                    function verifieGagnant():void {
                              // Vérifie les rangées
                              for (var r:int=0; r<RANGEES; r++) {
                                        if ( ( (TTTPlancheJeu[r][0]) == (TTTPlancheJeu[r][1]) ) && ( (TTTPlancheJeu[r][1]) == (TTTPlancheJeu[r][2]) ) && ( (TTTPlancheJeu[r][0]) != " ") ) {
                                                  gagnant=(TTTPlancheJeu[r][0]);
                              //Vérifie les colonees.
                              for (var c:int=0; r<COLONNES; c++) {
                                        // verifie si il y a trois même symbole sur une rangée
                                        if ( ( (TTTPlancheJeu[c][0]) == (TTTPlancheJeu[c][1]) ) && ( (TTTPlancheJeu[c][1]) == (TTTPlancheJeu[c][2]) ) && ( (TTTPlancheJeu[c][0]) != " ") ) {
                                                  gagnant=(TTTPlancheJeu[c][0]);
                                        // Vérifie une des diagonales
                                        // verifie si il y a trois même symbole sur une colonne
                                        if ( ( (TTTPlancheJeu[0][0]) == (TTTPlancheJeu[1][1])) && ((TTTPlancheJeu[1][1]) == (TTTPlancheJeu[2][2]) ) && ((TTTPlancheJeu[0][0]) != " ")) {
                                                  gagnant=(TTTPlancheJeu[0][0]);
                                        // vérifie si la partie est nulle.
                                        // si les 9 cases ont été choisi et il n'y a jamais eu de gagnant le jeu est nul
                                        if ((nombreDeClics == 9) && (gagnant == "Début")) {
                                                  gagnant="Match null!";
                                        //S'il y a un gagnant, l'indiquer.
                                        if (gagnant!="Début") {
                                                  MovieClip(root).gagnant=gagnant;
                                                  // allé à l'image 3 finPartie
                                                  MovieClip(root).gotoAndStop("finPartie");
                              // function qui permet les bon symbole pour les joueurs respectif d'etre afficher
                              function changeJoueur():void {
                                        //Si c'est le joueur 2 c'est donc le symbole o qui apparait
                                        if (joueurCourant==2) {
                                                  joueurSymbole="O";
                                                  // change la variable pour que le prochain tour soir au X
                                                  joueurCourant=3;
                                        } else if (joueurCourant == 3)
                                                  //Si c'est le joueur 3 c'est donc le symbole X qui apparait
                                                  joueurSymbole="X";
                                                  // change la variable pour que le prochain tour soir au O
                                                  joueurCourant=2;

The first thing that is wrong with the code is that constructor return type is void - remove it; constructor returns an instance of the class.
Second, you have three lines that have spaces in variable names:
caseAffiche.x=c*COLONNE_LARGEUR+COLONNE_DECA LAGE;
caseAffiche.y=r*RANGEE_HAUTEUR+RANGEE_DECALA GE;
caseAffiche.addEventListener(MouseEvent.CLIC K, joueUnCoup);

Similar Messages

  • Error # 1084 issue

    Trying to work through a tutorial and have got myself stumped.  The error is 1084: Syntax error: expecting rightparen before colon.
    The function in question is _reverseString
    package{
        import flash.display.*;
        import flash.net.*;
        public class main extends MovieClip{
        // variables
            private const maxCount:uint = 5;
            private const baseURL:String = "http://gtwebconcepts/tim";
            public var userName:String = "Timmy G";
            private var _countIndex:uint;
            private var _foundNumber:Boolean;
        //constructor
            public function main(){
                trace("can you hear me now?");
                //loadSite();
                //countLoop();
                _reverseString(val:String);//########## error 1084
                //_isEvenNumber(num:Object);
            //public methods
            public function loadSite():void{
                navigateToURL(new URLRequest(baseURL), "_blank");
            public function countLoop():void{
                for(var i:uint = 1; i<= maxCount; i++){
                    trace("loop " +i+ " of  " + maxCount);
            //private methods
            private function _reverseString(str:String):String{
                var tmp:Array = str.split("").reverse();
                return tmp.join("");
            private function _isEvenNumber(num:Number):Boolean{
                return(num % 2 == 0);

    you need to define val and use:
    package{
        import flash.display.*;
        import flash.net.*;
        public class main extends MovieClip{
        // variables
            private const maxCount:uint = 5;
            private const baseURL:String = "http://gtwebconcepts/tim";
            public var userName:String = "Timmy G";
            private var _countIndex:uint;
            private var _foundNumber:Boolean;
        //constructor
            public function main(){
                trace("can you hear me now?");
                //loadSite();
                //countLoop();
                _reverseString(val);//########## error 1084
                //_isEvenNumber(num:Object);
            //public methods
            public function loadSite():void{
                navigateToURL(new URLRequest(baseURL), "_blank");
            public function countLoop():void{
                for(var i:uint = 1; i<= maxCount; i++){
                    trace("loop " +i+ " of  " + maxCount);
            //private methods
            private function _reverseString(str:String):String{
                var tmp:Array = str.split("").reverse();
                return tmp.join("");
            private function _isEvenNumber(num:Number):Boolean{
                return(num % 2 == 0);

  • Syntax Error 1084

    ICan someone help, please? I'm having trouble with ActionScript 3.0, and I keep getting an error:
    1084:syntax error: expecting rightparen before colon
    And this is the script:
    home_button.addEventListener(MouseEvent.CLICK, takeHome);
    function takeHome(evt:MouseEvent){
        gotoAndStop(1)
    flash_button.addEventListener(event:MouseEvent)void:)
        nextFrame(2);
    clients_button.addEventListener(event:MouseEvent)void:
        nextFrame(3);
    If anyone can see anything wrong with this, I'd be more than grateful.

    There are a number of errors.  The following lines are correctly written... so based the rest of the code you show on their example...
    home_button.addEventListener(MouseEvent.CLICK, takeHome);
    function takeHome(evt:MouseEvent):void {
        gotoAndStop(1);
    Also, nextFrame() does not accept a numeric argument... it only goes to the next frame in case you are trying to go more than that.

  • Location tempInit (what is it?) Syntax errors 1084 & 1086 in lines that don't exist.

    I am getting the following errors:
    tempInit, Line 280
    1084: Syntax error: expecting identifier before true.
    tempInit, Line 280
    1086: Syntax error: expecting semicolon before dot.
    tempInit, Line 376
    1084: Syntax error: expecting identifier before false.
    tempInit, Line 376
    1086: Syntax error: expecting semicolon before dot.
    I don't know where tempInit is in the location and I especially don't know where lines 280 or 376 are because I only have 111 lines of actionscript!  I don't know where to start.
    Any help would be appreciated.

    Pardon my intrusion.  I thought I'd throw this in since oddly enough it just showed up in the General forum today about an hour before you posted... it might have some info to help (or not).
    http://forums.adobe.com/thread/1083272?tstart=0

  • XML syntax error 1084

    Hi,
    this is my first post on the forum and I'm a new to Flash.
    I got an error which I can't seem to figure out on my own what is the problem, I've read through some of the 1084 errors but still couldn't figure it out
    I got "1084: Syntax error: expecting rightparen before colon" on this line: myXML = new XML(e:target.data);
    And here is the whole code:
    var loader:URLLoader = new URLLoader();
    loader.addEventListener(Event.COMPLETE,onLoaded);
    var myXML:XML;          // Variable to hold XML class
    function onLoaded (e:Event):void{
    myXML = new XML(e:target.data);
    loader.load(new URLRequest("names.xml"));
    trace(myXML);
    Thanks in advance
    Regards Sakujin

    I've discovered the error after I got help from a friend the culprit was a colon instead of a punctation after XML(e.target.data); instead of XML(e:target.data)
    Thanks for everyone that has visited my post.

  • Expecting identifier before right, left bracket; error 1084

    I have the code:
    private var soundsVector:Vector.[sound, sound, sound]
    and it is giving me the error code 1084, it needs an identifier before both brackets.
    My question is: what is the needed identifier.

    How about this:
    private var soundsVector2:Vector[sound1, sound2, sound3];
    Other sample code:
    <?xml version="1.0" encoding="utf-8"?>
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml"
         creationComplete="init()">
    <mx:Script>
        <![CDATA[
    private var soundsVector1:Vector;
    private var soundsVector2:Vector[sound1, sound2, sound3];
    private var sound1:Sound = new Sound();
    private var sound2:Sound = new Sound();
    private var sound3:Sound = new Sound();
    private function init():void{
         soundsVector1 = new Vector([sound1, sound2, sound3]);
        ]]>
    </mx:Script>
    </mx:Application>

  • Empty shell for loading content error #1084

    I am trying to load one swf into another. In the former I have a preloader, and a mc to load the content. I am getting "Scene 1, Layer 'actions', Frame 1    1084: Syntax error: expecting rightbrace before end of program." Here is my code.
    import flash.events.MouseEvent;
    import flash.events.ProgressEvent;
    import flash.events.Event;
    var myLoader:Loader=new Loader();
    preLoader.visible = false;
    load_btn.buttonMode = true;
    //Loads content
    myLoader.contentLoaderInfo.addEventListener(ProgressEvent.PROGRESS, contentLoading);
    myLoader.contentLoaderInfo.addEventListener(Event.COMPLETE, contentLoaded);
    load_btn.addEventListener(MouseEvent.CLICK, loadContent);
    function loadContent(e:MouseEvent):void
         preLoader.visible = true;
         load_btn.visible = false;
         myLoader.load(new URLRequest("content.swf"));
    function contentLoading(e:ProgressEvent):void
         var loaded:Number = e.bytesLoaded / e.bytesTotal;
         preLoader.SetProgress(loaded);
    function contentLoaded(e:Event):void
         preLoader.visible = false;
         myLoader.x = 0;
         myLoader.y = 0;
         addChild(myLoader);

    loadContent() is not closed:
    import flash.events.MouseEvent;
    import flash.events.ProgressEvent;
    import flash.events.Event;
    var myLoader:Loader=new Loader();
    preLoader.visible = false;
    load_btn.buttonMode = true;
    //Loads content
    myLoader.contentLoaderInfo.addEventListener(ProgressEvent.PROGRESS, contentLoading);
    myLoader.contentLoaderInfo.addEventListener(Event.COMPLETE, contentLoaded);
    load_btn.addEventListener(MouseEvent.CLICK, loadContent);
    function loadContent(e:MouseEvent):void
         preLoader.visible = true;
         load_btn.visible = false;
         myLoader.load(new URLRequest("content.swf"));
    function contentLoading(e:ProgressEvent):void
         var loaded:Number = e.bytesLoaded / e.bytesTotal;
         preLoader.SetProgress(loaded);
    function contentLoaded(e:Event):void
         preLoader.visible = false;
         myLoader.x = 0;
         myLoader.y = 0;
         addChild(myLoader);

  • Need help with error 1084

    So I have tried everything I can think of to make the '1084:Syntax error: expecting rightparen before colon.' go away. I am trying to make a 'fill in the blank' box, for a game, where if the user inputs the correct word, it will go to the next level. I don't have much coding experience, and here is all the (AS3) code I have:
    import flash.net.navigateToURL;
    import flash.net.URLRequest;
    goButton.addEventListener(MouseEvent.CLICK, clickHandler);
    function clickHandler(event:MouseEvent):void
         var word:String = "level2"
              if (word:String = "blue")
                   var request:URLRequest = new URLRequest(word+".swf");
                   navigateToURL(request);
    Its late here, and I am getting really frustrated and I have tried everything I know how to do... which isn't much. I just want to get this code working, and I thank you in advance for any help or advice you can give.

    unless Im mising something, you also have an extra set of { } brackets, after  var word:String = "level2" and before your if statement, it should read:
    import flash.net.navigateToURL;
    import flash.net.URLRequest;
    goButton.addEventListener(MouseEvent.CLICK, clickHandler);
    function clickHandler(event:MouseEvent):void {
    var word:String = "level2"
              if (word:String == "blue") {
                  var request:URLRequest = new URLRequest(word+".swf");
                  navigateToURL(request);

  • Package Cannot Be Nested 1037 & Syntax Error 1084

    Trying to learn how to crerate a Box2D game in WIndows 8 Flash Pro CC.   Opened new document in ActionScript 3.0 Class or ".as" as a Flash Pro application.  Very very new to all developer languages and processes.  Please help.
    package {
        import flash.display.Sprite
        import Box2D.Dynamics.*;
        import Box2D.Collision.*;
        import Box2D.Collision.Shapes.*;
        import Box2D.Common.Math.*;
        public class Main extends Sprite{
            public function Main(){
                trace(*my awsome game starts here *);

    the default directory is usually in the same directory where the main fla is saved but that can be changed in advanced actionscript settings panel (file>publish settings>actionscript settings - wrench icon).
    p.s. you should copy and paste your actualy code.  if that is your actual code, that trace is incorrect and should contain a string.  ie, change the asterisks to quotes.

  • 1084: Syntax error: expecting leftbrace before extend

    Hi all.  Not sure what is going on here.  I'm trying to improve my knowledge of AS 3.0.  I keep getting this error and this is a snippet of code that I copied and ran it.  I keep getting the same error '1084: Syntax error: expecting leftbrace before extend'.  Can anyone tell me where I'm going wrong?  Here is the code.
    package
              import flash.display.MovieClip;
              public class ActionScriptTest extend MovieClip {
                   public function ActionScriptTest(){
                                  init();
       private function init():void{
                             var bookTitle:String="Foundations";
            trace(bookTitle);

    Thanks Ned.  That was it.  Thanks for getting me unstuck. 

  • 1084:Syntax error: expecting rightparen before area in Math.round

    Anyone have any idea how to fix this:
    theText.scrollV = Math.round((slider.y – area.y)*theText.maxScrollV/90);
    I'm getting error:
    1084:Syntax error: expecting rightparen before area.
    It looks like a proper statement to me... all open brackets are closed.
    Please HELP!!!

    OMG - I copied the code from a post and didn't see that. Good for you!
    Thanks!!!

  • 1084: Syntax error: expecting rightparen

    Help!!  I am new to Flash.  I am trying to make a  card flip,  I have a photo on one side and info on the next.  It is controlled by a button.  I an getting this error:
    1084: Syntax error: expecting rightparen before flip on lines 5 and 6.  I have been trying to figure it out, but am stumped.  Can anyone help? any suggestion would be greatly appreciated.
    Here is my code:
    import fl.transitions.Tween;
    import fl.transitions.easing.Strong;
    import fl.transitions.TweenEvent;
    con.sidea.flip. addEventListener (MouseEvent.CLICK, on flip);
    con.sideb.flip. addEventListener (MouseEvent.CLICK, on flip);
    addEventListener(Event.ENTER_FRAME,loop);
    var isStill: Boolean=true;
    var arraytween:Array = new Array ();
    function onflip (e:Event) {
        if (isStill)  {
            arraytween.push (new Tween (con,'rotationY', Strong.easeOut,con.rotationY,con.rotationY+180,1,true));
            arraytween [0] .addEventListener(TweenEvent.MOTION_FINISH,reset);
            isStill=false;
    function reset (e:Event)  {
        isStill=true;
        arraytween=[];
    function  loop(e:Event)  {
        if (con.rotationY>=90  && con.rotationY<=270)  {
            con.addChild(con.sideb);
        }else {
            con.addChild(con.sidea);
            con.scaleX=1;
        if (con.rotationY>=360) {
            con.rotationY=0;

    It is hard to tell if it is actual or something the forum did (which it does), but you should not have spaces where there appear to be...
    con.sidea.flip. addEventListener (MouseEvent.CLICK, on flip);
    con.sideb.flip. addEventListener (MouseEvent.CLICK, on flip);
    should be...
    con.sidea.flip.addEventListener(MouseEvent.CLICK, onflip);
    con.sideb.flip.addEventListener(MouseEvent.CLICK, onflip);

  • Multiple Event Viewer Error Ids, Corrupt Catalogs, System not working right. Please help.

     Since I could not find a list of the Event Ids that was accurate at all or not too general as to be useless and Microsoft won't let us know how to fix these ourselves without having a programming degree, I am begging for help from anyone who can help
    me get my computer working right again. I have some important things to get done which I can't do without my computer working. I have tried to get what I could get but I am blocked from many files which makes it difficult to get info. Please help. I appreciate
    any help I can get. Thank you,
    WhiteFox42
    I am not sure which one is more important.
    Event id 20
    Installation Failure: Windows failed to install the following update with error 0x80070643: Update for Microsoft .NET Framework 4 on Windows XP, Windows Server 2003, Windows Vista, Windows 7, Windows Server 2008, Windows Server 2008 R2 for x64-based Systems
    (KB2468871).
    Event id 11
    Possible Memory Leak.  Application (C:\Windows\System32\svchost.exe -k LocalServiceNetworkRestricted) (PID: 476) has passed a non-NULL pointer to RPC for an [out] parameter marked [allocate(all_nodes)].  [allocate(all_nodes)] parameters are always
    reallocated; if the original pointer contained the address of valid memory, that memory will be leaked.  The call originated on the interface with UUID ({3f31c91e-2545-4b7b-9311-9529e8bffef6}), Method number (20).  User Action: Contact your application
    vendor for an updated version of the application.
    Event id 455
    taskhost (1348) WebCacheLocal: Error -1811 (0xfffff8ed) occurred while opening logfile R:\User\App Data\Roaming\Microsoft\Templates\Local\Microsoft\Windows\WebCache\V01.log.
    Event Xml:
    Event id 505
    wuaueng.dll (1012) SUS20ClientDataStore: An attempt to open the compressed file "C:\Windows\SoftwareDistribution\DataStore\DataStore.edb" for read / write access failed because it could not be converted to a normal file.  The open file operation
    will fail with error -4005 (0xfffff05b).  To prevent this error in the future you can manually decompress the file and change the compression state of the containing folder to uncompressed.  Writing to this file when it is compressed is not supported.
    Event id 513
    Cryptographic Services failed while processing the OnIdentity() call in the System Writer Object
    Event id 1000
    Faulting application name: IEXPLORE.EXE, version: 11.0.9600.16428, time stamp: 0x525b664c
    Faulting module name: IEFRAME.dll, version: 11.0.9600.16476, time stamp: 0x52944cf2
    Exception code: 0xc0000005
    Fault offset: 0x00025f1d
    Faulting process id: 0x1854
    Faulting application start time: 0x01cf0735f0e5f0c7
    Faulting application path: C:\Program Files (x86)\Internet Explorer\IEXPLORE.EXE
    Faulting module path: C:\Windows\system32\IEFRAME.dll
    Report Id: e3dc1e9a-733f-11e3-b920-00215a2af202
    Event id 1000
    Faulting application name: msiexec.exe, version: 5.0.7601.17514, time stamp: 0x4ce79d93
    Faulting module name: msvcrt.dll, version: 7.0.7601.17744, time stamp: 0x4eeb033f
    Exception code: 0xc0000005
    Fault offset: 0x00000000000035e1
    Faulting process id: 0x1030
    Faulting application start time: 0x01cf01b77867a358
    Faulting application path: C:\Windows\system32\msiexec.exe
    Faulting module path: C:\Windows\system32\msvcrt.dll
    Report Id: f7253b17-6daa-11e3-b944-00215a2af202
    Event id 1002
    Computer:      w7mar-64  "I don't know why it has computer as this when it should not be."
    Description:
    The IP address lease 192.168.200.195 for the Network Card with network address 0x08002742F261 has been denied by the DHCP server 192.168.200.1 (The DHCP Server sent a DHCPNACK message).
    Event id 1008
    The Windows Search Service is starting up and attempting to remove the old search index {Reason: Index Corruption}.
    Event id 1008
    Computer:      w7mar-64
    Description:
    An errorUser:          LOCAL SERVICE
     occurred in initializing the interface. The error code is: 0x2.
    Event id 1014
    User:          NETWORK SERVICE
    Computer:    
    Description:
    Name resolution for the name wpad.westell.com timed out after none of the configured DNS servers responded.
    Event id 1015
    User:          N/A
    Computer:      w7mar-64
    Description:
    Event ID 1013 for the Windows Search Service has been suppressed 7 time(s) since 12:04:10 PM. This event is used to suppress Windows Search Service events that have occurred frequently within a short period of time.  See Event ID 1013 for further details
    on this event.
    Event id 1015
    Failed to connect to server. Error: 0x8007043C
    Event id 1018
    The description for Event ID 1018 from source EvntAgnt cannot be found. Either the component that raises this event is not installed on your local computer or the installation is corrupted. You can install or repair the component on the local computer.
    Event id 1020
    Updates to the IIS metabase were aborted because IIS is either not installed or is disabled on this machine. To configure ASP.NET to run in IIS, please install or enable IIS and re-register ASP.NET using aspnet_regiis.exe /i.
    Event id 1028
    Windows Installer has determined that its configuration data cache folder was not secured properly. The owner of the key must be either Local System or Builtin\Administrators. The existing folder will be deleted and re-created with the appropriate security
    settings.
    Event id 1101
    .NET Runtime Optimization Service (clr_optimization_v4.0.30319_32) - Failed to compile: System.Web.Entity.Design, Version=3.5.0.0, Culture=Neutral, PublicKeyToken=b77a5c561934e089, processorArchitecture=msil . Error code = 0x80010108
    Event id 1500
    The description for Event ID 1500 from source SNMP cannot be found. Either the component that raises this event is not installed on your local computer or the installation is corrupted. You can install or repair the component on the local computer.
    Event id 1530
    Windows detected your registry file is still in use by other applications or services. The file will be unloaded now. The applications or services that hold your registry file may not function properly afterwards. 
    Event id 1530
    Windows detected your registry file is still in use by other applications or services. The file will be unloaded now. The applications or services that hold your registry file may not function properly afterwards.  
     DETAIL -
     6 user registry handles leaked from \Registry\User\S-1-5-21-2959539970-205720217-4182857889-1000:
    Process 1020 (\Device\HarddiskVolume2\Windows\System32\svchost.exe) has opened key \REGISTRY\USER\S-1-5-21-2959539970-205720217-4182857889-1000\Software
    Process 1020 (\Device\HarddiskVolume2\Windows\System32\svchost.exe) has opened key \REGISTRY\USER\S-1-5-21-2959539970-205720217-4182857889-1000\Software\Microsoft\Windows\CurrentVersion\Internet Settings
    Process 1020 (\Device\HarddiskVolume2\Windows\System32\svchost.exe) has opened key \REGISTRY\USER\S-1-5-21-2959539970-205720217-4182857889-1000\Software\Microsoft\Windows\CurrentVersion\Internet Settings
    Process 1020 (\Device\HarddiskVolume2\Windows\System32\svchost.exe) has opened key \REGISTRY\USER\S-1-5-21-2959539970-205720217-4182857889-1000\Software\Policies\Microsoft\Windows\CurrentVersion\Internet Settings
    Process 1020 (\Device\HarddiskVolume2\Windows\System32\svchost.exe) has opened key \REGISTRY\USER\S-1-5-21-2959539970-205720217-4182857889-1000\Software\Microsoft\Internet Explorer\Main
    Process 1020 (\Device\HarddiskVolume2\Windows\System32\svchost.exe) has opened key \REGISTRY\USER\S-1-5-21-2959539970-205720217-4182857889-1000\Software\Policies
    Event id 3028
    Context: Windows Application, SystemIndex Catalog
    Details:
        The content index catalog is corrupt.  (HRESULT : 0xc0041801) (0xc0041801)
    Event id 3029
    Context: Windows Application, SystemIndex Catalog
    Details:
        The content index catalog is corrupt.  (HRESULT : 0xc0041801) (0xc0041801)
    Event id 3036
    The content source <csc://{S-1-5-21-2959539970-205720217-4182857889-1001}/> cannot be accessed.
    Event id 3036
    No protocol handler is available. Install a protocol handler that can process this URL type.  (HRESULT : 0x80040d37) (0x80040d37)
    Event id 4104
    Description:
    The backup was not successful. The error is: Access is denied. (0x80070005).
    Event id 4228
    TCP/IP has chosen to restrict the scale factor due to a network condition.  This could be related to a problem in a network device and will cause  degraded throughput.
    Event id 4321
    The name "WHITEFOXPC     :0" could not be registered on the interface with IP address 192.168.1.21. The computer with the IP address 192.168.1.19 did not allow the name to be claimed by this computer.
    Event id 4373
    The description for Event ID 4373 from source NtServicePack cannot be found. Either the component that raises this event is not installed on your local computer or the installation is corrupted. You can install or repair the component on the local computer.
    Event id 4879
    MSDTC encountered an error (HR=0x80000171) while attempting to establish a secure connection with system WHITEFOXPC.
    Event id 6000
    The winlogon notification subscriber <GPClient> was unavailable to handle a notification event.
    Event id 6006
    The winlogon notification subscriber <TrustedInstaller> took 186 second(s) to handle the notification event (CreateSession).
    Event id 7000
    The Windows Audio service failed to start due to the following error:
    A privilege that the service requires to function properly does not exist in the service account configuration. You may use the Services Microsoft Management Console (MMC) snap-in (services.msc) and the Local Security Settings MMC snap-in (secpol.msc) to view
    the service configuration and the account configuration.
    Event id 7001
    The Computer Browser service depends on the Server service which failed to start because of the following error:
    The dependency service or group failed to start.
    Event id 7010
    The index cannot be initialized.
    Details:
        The content index catalog is corrupt.  (HRESULT : 0xc0041801) (0xc0041801)
    Event id 7023
    The Block Level Backup Engine Service service terminated with the following error:
    %%-2147024713
    Event id 7024
    The Windows Search service terminated with service-specific error %%-1073473535.
    Event id 7026
    The following boot-start or system-start driver(s) failed to load:
    aswKbd
    aswRvrt
    aswSnx
    aswSP
    aswTdi
    aswVmm
    discache
    spldr
    Wanarpv6
    Event id 7030 & 7031
    The dldw_device service is marked as an interactive service.  However, the system is configured to not allow interactive services.  This service may not function properly.
    Event id 7032
    The Service Control Manager tried to take a corrective action (Restart the service) after the unexpected termination of the Windows Installer service, but this action failed with the following error:
    An instance of the service is already running.
    Event id 7040
    The search service has detected corrupted data files in the index {id=4700}. The service will attempt to automatically correct this problem by rebuilding the index.
    Event id 7042
    The Windows Search Service is being stopped because there is a problem with the indexer: The catalog is corrupt.
    Details:
        The content index catalog is corrupt.  (HRESULT : 0xc0041801) (0xc0041801)
    Event id 8210
    An unspecified error occurred during System Restore: (Installed Java 7 Update 45). Additional information: 0x80070003.
    Event id  9000
    The Windows Search Service cannot open the Jet property store.
    Details:
        0x%08x (0xc0041800 - The content index database is corrupt.  (HRESULT : 0xc0041800))
    Event id 10005
    DCOM got error "1084" attempting to start the service MSIServer with arguments "" in order to run the server:
    {000C101C-0000-0000-C000-000000000046}
    Event id 10010
    15 of these with different server codes which I can't copy unless I copy all the details.
    The server {3EEF301F-B596-4C0B-BD92-013BEAFCE793} did not register with DCOM within the required timeout.
    Event id 12348
    Volume Shadow Copy Service warning: VSS was denied access to the root of volume \\?\Volume{8e79517c-6c41-11e3-b621-cb03f0618d54}\. Denying administrators from accessing volume roots can cause many unexpected failures, and will prevent VSS from functioning
    properly.  Check security on the volume, and try the operation again.
    Event id 15006
    9 of these.
    Description:
    Owner of the log file or directory \SystemRoot\System32\LogFiles\HTTPERR\httperr1.log is invalid. This could be because another user has already created the log file or the directory.
    Event id 31004
    33 of tese.
    The DNS proxy agent was unable to allocate 0 bytes of memory. This may indicate that the system is low on virtual memory, or that the memory manager has encountered an internal error.
    The End.
    Kimberly D. White-Fox

    Please provide a copy of your System Information file. Type System Information in the Search Box above the start Button and press the ENTER key
    (alternative is Select Start, All Programs, Accessories, System Tools, System Information). Select File, Export and give the file a name noting where it is located. The system creates a new System Information file each time system information is accessed.
    You need to allow a minute or two for the file to be fully populated before exporting a copy. Please upload to your Sky Drive, share with everyone and post a link here. Please say if the report has been obtained in safe mode.
    Please upload and share with everyone copies of your System and Application logs from your Event Viewer to your Sky Drive and post a link here.
    To access the System log select Start, Control Panel, Administrative Tools, Event Viewer, from the list in the left side of the window select Windows
    Logs and System. Place the cursor on System, select Action from the Menu and Save All Events as (the default evtx file type) and give the file a name. Do the same for the Applications log. Do not provide filtered files.
    For help with Sky Drive see paragraph 9.3:
    http://www.gerryscomputertips.co.uk/MicrosoftCommunity1.htm
    Some Event Viewer reports are generated solely because the computer is in safe mode or safe mode with networking. You have at least one example of this in your long list. If you do not see the same report for a time when
    the computer was in normal mode then it can be disregarded.
    You will find some general advice on interpreting Event Viewer reports here:
    http://www.gerryscomputertips.co.uk/syserrors5.htm
    Hope this helps, Gerry

  • How to fix a Syntax Error?

    I have a problem with my MXML Application. I keep getting an error: 1084: Syntax error: expecting rightparen before rightbrace, But I don't know what that means. Here's my MXML,
    <?xml version="1.0" encoding="utf-8"?>
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml" layout="absolute"
        backgroundColor="#FFFFFF"
        backgroundAlpha="0" width="1050" height="1000">
        <mx:Text width="964" height="497" enabled="true" fontSize="15">
            <mx:text>For right now, Changer098.com is still under construction and is progressing. However the change from Adobe Dreamweaver to Adobe Flex has left Changer098.com with new difficulties. Such as; the longing bearing task for loading the page as you have experienced. Also, Flex requires Adobe Flash, AIR, and Shochwave to work correctly. So if you are viewing this site and do not have these plugins enabled, please enable them for designated viewing pleasure.</mx:text>
        </mx:Text>
        <mx:TextInput x="127" y="505" maxChars="30" editable="true" enabled="true"/>
        <mx:Label x="0" y="507" text="Your Email Addresse" enabled="true"/>
        <mx:TextInput x="127" y="535" editable="true" enabled="true" maxChars="30"/>
        <mx:Label x="0" y="537" text="Your Username" width="119"/>
        <mx:TextInput x="0" y="565" editable="true" enabled="true" maxChars="500" width="287" height="140"/>
        <mx:CheckBox x="0" y="713" label="By clicking this you agree to the terms and conditions" selected="false" enabled="true"/>
        <mx:Button x="10" y="743" label="Terms And Conditions">
            <mx:click>navigateToURL(new URLRequest('http://changer098.webs.com/tac.html'), '_blank')</mx:click>
        </mx:Button>
        <mx:Button x="0" y="773" label="Send" id="send">
            <mx:click>(navigateToURL(new URLRequest('mailto:[email protected]') , navigateToURL(new URLRequest('http://changer098.webs.com/sent.html'), '_blank')</mx:click>
        </mx:Button>
        <mx:Label x="0" y="803" text="Do Not Send Unless You Agree To Terms And Conditions" fontSize="15" textDecoration="underline" fontWeight="bold"/>
    </mx:Application>
    It says there is an error at line: 18. Can anyone help me?

    the clickhandler function is an Actionscript function. Its not mxml.
    You have to wrap it inside a mx:Script.
    for example
    <mx:Script>
    <![CDATA[
         private function clickHandler():void
         navigateToURL(new URLRequest('mailto:[email protected]'));
         navigateToURL(new URLRequest('http://changer098.webs.com/sent.html'), '_blank')
    ]]>
    </mx:Script>
    In general, whenever you want to write Actionscript in your project you use the mx:Script tag.

  • Fortran open file command  error on solstudio

    Hi!
    I try to open a csv file with fortran but I get an error using sOLstudio on Fedora 13.
    ****** FORTRAN RUN-TIME SYSTEM ******
    Error 1084: unexpected character in real value
    Location: the READ statement at line 5 of "programm.f"
    Unit: 1
    File: file.csv
    Input: 0?
    But this not happen when I use gfortran or f95 by command shell (The programm works fine):
    # gfortran/f95 -o exe programm.f
    # ./exe
    K00 : 0.0000000
    K01 : 0.0000000
    K02 : 1.0000000
    K03 : 1.0000000
    If I change f95 to gfortran in proyect properties,for some reason I cannot use the debugger.
    Can anybody help me?
    tHANKS!!
    ! programm.f
    1 PROGRAM read_file
    2 REAL K00,K01,K02,K03
    3 CHARACTER TMP0(3),
    4 OPEN(UNIT=1,FILE="file.csv", POSITION="REWIND")
    5 READ(1,*)TMP0(3),K00
    6 READ(1,*)TMP0(3), K01
    7 READ(1,*)TMP0(3), K02
    8 READ(1,*)TMP0(3), K03
    9 CLOSE(1)
    10 PRINT *,"K00 :", K00
    11 PRINT *,"K01 :", K01
    12 PRINT *,"K02 :", K02
    13 PRINT *,"K03 :", K03
    14 END
    # CSV file
    K00,0
    K01,0
    K02,1.0
    K03,1.0
    Edited by: 848106 on Apr 2, 2011 4:58 PM
    Edited by: 848106 on Apr 2, 2011 5:05 PM

    848106 wrote:
    Hi!
    I try to open a csv file with fortran but I get an error using sOLstudio on Fedora 13.
    ****** FORTRAN RUN-TIME SYSTEM ******
    Error 1084: unexpected character in real value
    Location: the READ statement at line 5 of "programm.f"
    Unit: 1
    File: file.csv
    Input: 0?
    But this not happen when I use gfortran or f95 by command shell (The programm works fine):
    # gfortran/f95 -o exe programm.f
    # ./exe
    K00 : 0.0000000
    K01 : 0.0000000
    K02 : 1.0000000
    K03 : 1.0000000
    If I change f95 to gfortran in proyect properties,for some reason I cannot use the debugger.
    Can anybody help me?
    tHANKS!!
    ! programm.f
    1 PROGRAM read_file
    2 REAL K00,K01,K02,K03
    3 CHARACTER TMP0(4),
    4 OPEN(UNIT=1,FILE="file.csv", POSITION="REWIND")
    5 READ(1,*)TMP0,K00
    6 READ(1,*)TMP0, K01
    7 READ(1,*)TMP0, K02
    8 READ(1,*)TMP0, K03
    9 CLOSE(1)
    10 PRINT *,"K00 :", K00
    11 PRINT *,"K01 :", K01
    12 PRINT *,"K02 :", K02
    13 PRINT *,"K03 :", K03
    14 END
    # CSV file
    K00, 0
    K01, 0
    K02,1.0
    K03,1.0
    ....Just a guess really, but retry the .csv file with no space after the comma and 0.0 rather than 0

Maybe you are looking for

  • Reporting in JSP,JAVA

    Hi all, Can i know how to call Intelliview Report from JSP any body did it?

  • Images using absolute path on portlet server not appearing when gatewayed

    I am gatewaying several applications via a Plumtree 5 Portal. Images in these applications when referenced using relative paths (../images/image.jpg) work. Images using absolute path (\applicationFolder\images\image.jpg). When gatewayed they are pres

  • Multiple columns in connect by prior

    Hi, I have data something like below SKU: ITEM LOC PARENT_ITEM PARENT_LOC NULL NULL A 001 A 001 NULL NULL A 001 NULL NULL NULL NULL D 002 D 002 NULL NULL D 002 NULL NULL And I need output like this ITEM LOC PARENT_ITEM PARENT_LOC NULL NULL A 001 B 00

  • How can I get messages on both my iPad and iPhone?

    When I send text messages on my iPad, they do not sync with my iPhone, or vice versa. How can I resolve this issue? iPhone 4S Verizon and iPad 3 without telephony

  • I´ve a question about HRMS implemantation

    hi I am a junior DBA appz in Oracle technologies and I like learning how to set up and configure HR module in eBusiness Suite 11i, could you give me a basically steps or a guide to set up sucefully my implementation or one page or link to guide me in