Search Results

Search found 51569 results on 2063 pages for 'version number'.

Page 730/2063 | < Previous Page | 726 727 728 729 730 731 732 733 734 735 736 737  | Next Page >

  • In The Open, For RLZ

    When we released a new stable version of Google Chrome last March, we tried to improve the transparency and privacy options of Google Chrome. One area where we’ve...

    Read the article

  • jQuery UI 1.9.0 est disponible, accompagné d'un nouveau site web, un nouveau serveur de code et une nouvelle documentation

    jQuery UI 1.9.0 est disponible Un nouveau site web, un nouveau serveur de code et une nouvelle documentation accompagnent cette sortie. jQuery UI 1.9.0 est compatible avec jQuery 1.8.2 et le plugin jQuery Color. Annoncée en novembre 2010 et plus officiellement en mars 2011, la refonte complète de jQuery UI est enfin disponible. La version 1.9.0 a nécessité 30 mois de travail et la construction de nombreuses versions intermédiaires...

    Read the article

  • Testez Bonita Open Solution 5.7, la solution française open-source de gestion des processus métier compte 1.5 millions de téléchargements

    Testez Bonita Open Solution 5.7, la nouvelle offre open-source de gestion des processus métier De la société française, qui fête son troisième anniversaire A l'occasion de son troisième anniversaire,BonitaSoft, l'éditeur informatique leader dans la gestion des processus métier (business process management ou BPM), a sorti Bonita Open Solution 5.7. Cette nouvelle version propose l'accès à un service de support qui revendique une qualité professionnelle avec une couverture mondiale qui « garantit de recevoir une réponse à un problème dans un délai allant jusqu'à deux heures en fonction du niveau de support choisi ».

    Read the article

  • Chrome 9 disponible avec le support natif de WebGL, l'accès au Chrome Marketplace et Google Instant pour surfer plus vite

    Chrome 9 est disponible Avec le support en natif de WebGL, l'accès au Chrome Marketplace et Google Instant pour surfer plus vite Mise à jour du 07/02/11 Chrome 9 est sorti. La nouvelle version du navigateur de Google (qui vient de se payer une deuxième campagne de publicité et d'affichage dans le métro parisien) propose trois grandes nouveautés qui seront familières aux lecteurs de Développez. Chrome 9 introduit dans le canal officiel WebGL (pour les animations 3D, les contenus Internet riches et l'accélération graphique), l'accès au Chrome Web Store (dont l'utilité sera surto...

    Read the article

  • Serving WordPress menu links in only HTTPS or HTTP depending on how it's accessed

    - by Gelatin
    I have a WordPress site which uses WordPress HTTPS to enable SSL when users access it via that protocol. However, currently the menu links point back to the HTTP version. I want users to be linked to HTTPS pages while accessing the site over HTTPS, but not when accessing it over HTTP. Is this possible? Note: I have tried changing the menu options to use // and / for the links, but in both cases they are just rendered as HTTP links.

    Read the article

  • How to map TFS to two local directories

    - by Buh Buh
    I am working with a web application, using TFS. Every time I build the site it takes an unproductivly long time to start up again. I would like to have a second mapping of the site on my c drive, where I would only get latest and build once a day, so this version would always be fast. This would be like a "readonly" directory as I wouldn't personally make any edits to it. Please let me know if this possible, or if you have any alternative.

    Read the article

  • Sortie de Debian 6.0.0, alias « Squeeze » : Kernel 2.6.32, Tomcat 6.0.28, Apache 2.2.16, MySQL 5.1.49 ou PHP 5.3.2 au menu

    Sortie de Debian 6.0.0 Squeeze Le Debian Project l'avait annoncé ce 31 janvier 2011, la sortie officielle de Debian 6.0, plus connue sous le nom de Squeeze l'extraterrestre à 3 yeux, était iminente. Et bien, c'est chose faite ! Le passage en version stable de Squeeze a eu lieu ce week-end et pour l'occasion, le site web du projet a subi un rajeunissement. Citation: Envoyé par [email protected] Release Manage...

    Read the article

  • Linked lists in Java - Help with writing methods

    - by user368241
    Representation of a string in linked lists In every intersection in the list there will be 3 fields : The letter itself. The number of times it appears consecutively. A pointer to the next intersection in the list. The following class CharNode represents a intersection in the list : public class CharNode { private char _data; private int _value; private charNode _next; public CharNode (char c, int val, charNode n) { _data = c; _value = val; _next = n; } public charNode getNext() { return _next; } public void setNext (charNode node) { _next = node; } public int getValue() { return _value; } public void setValue (int v) { value = v; } public char getData() { return _data; } public void setData (char c) { _data = c; } } The class StringList represents the whole list : public class StringList { private charNode _head; public StringList() { _head = null; } public StringList (CharNode node) { _head = node; } } Add methods to the class StringList according to the details : (I will add methods gradually according to my specific questions) (Pay attention, these are methods from the class String and we want to fulfill them by the representation of a string by a list as explained above) Pay attention to all the possible error cases. Write what is the time complexity and space complexity of every method that you wrote. Make sure the methods you wrote are effective. It is NOT allowed to use ready classes of Java. It is NOT allowed to move to string and use string operations. 1) public int indexOf (int ch) - returns the index in the string it is operated on of the first appeareance of the char "ch". If the char "ch" doesn't appear in the string, returns -1. If the value of fromIndex isn't in the range, returns -1. Here is my try : public int indexOf (int ch) { int count = 0; charNode pos = _head; if (pos == null ) { return -1; } for (pos = _head; pos!=null && pos.getData()!=ch; pos = pos.getNext()) { count = count + pos.getValue(); } if (pos==null) return -1; return count; } Time complexity = O(N) Space complexity = O(1) EDIT : I have a problem. I tested it in BlueJ and if the char ch doesn't appear it returns -1 but if it does, it always returns 0 and I don't understand why... I am confused. How can the compiler know that the value is the number of times the letter appears consecutively? Can I assume this because its given on the question or what? If it's true and I can assume this, then my code should be correct right? Ok I just spoke with my instructor and she said it isn't required to write it in the exercise but in order for me to test that it indeed works, I need to open a new class and write a code for making a list so that the the value of every node is the number of times the letter appears consecutively. Can someone please assist me? So I will copy+paste to BlueJ and this way I will be able to test all the methods. Meanwhile I am moving on to the next methods. 2) public int indexOf (int ch, int fromIndex) - returns the index in the string it is operated on of the first appeareance of the char "ch", as the search begins in the index "fromIndex". If the char "ch" doesn't appear in the string, returns -1. If the value of fromIndex doesn't appear in the range, returns -1. Here is my try: public int indexOf (int ch, int fromIndex) { int count = 0, len=0, i; charNode pos = _head; CharNode cur = _head; for (pos = _head; pos!=null; pos = pos.getNext()) { len = len+1; } if (fromIndex<0 || fromIndex>=len) return -1; for (i=0; i<fromIndex; i++) { cur = cur.getNext(); } if (cur == null ) { return -1; } for (cur = _head; cur!=null && cur.getData()!=ch; cur = cur.getNext()) { count = count + cur.getValue(); } if (cur==null) return -1; return count; } Time complexity = O(N) ? Space complexity = O(1) 3) public StringList concat (String str) - returns a string that consists of the string that it is operated on and in its end the string "str" is concatenated. Here is my try : public StringList concat (String str) { String str = ""; charNode pos = _head; if (str == null) return -1; for (pos = _head; pos!=null; pos = pos.getNext()) { str = str + pos.getData(); } str = str + "str"; return str; } Time complexity = O(N) Space complexity = O(1)

    Read the article

  • AMD Drivers problem

    - by Darthkpo
    So, I'm kind of new to Ubuntu and Linux in general, I installed the latest (Ubuntu 14.04) and everything went fine, except for the resolution so I thought that it was a driver problem because I have a AMD HD 7750 and maybe it required additional proprietary drivers so I installed AMD Catalyst (Latest version), and then rebooted. And now my monitor says Can't Display and I can't see the GUI. I can go to terminal (Pressing Ctrl + Alt + F1, F2, F3 etc) but Not the UI.

    Read the article

  • Sql statement return with zero result [closed]

    - by foodil
    I am trying to choose the row where 1)list.ispublic = 1 2)userlist.userid='aaa' AND userlist.listid=list.listid I need 1)+2) There is a row already but this statement can not get that row, is there any problem? List table: ListID ListName Creator IsRemindSub IsRemindUnSub IsPublic CreateDate LastModified Reminder 1 test2 aaa 0 0 1 2012-03-09 NULL NULL user_list table (No row): UserID ListID UserRights My test version SELECT l.*, ul.* FROM list l INNER JOIN user_list ul ON ul.ListID = l.ListID WHERE l.IsPublic = 1 AND ul.UserID = 'aaa' There is zero result. How can I fix that?

    Read the article

  • Runnin Framework 4.0 with Powershell

    - by Mike Koerner
    I had problems running scripts with Framework 4.0 assemblies I created.  The error I was getting was  Add-Type : Could not load file or assembly 'file:///C:\myDLL.dll' or one of its dependencies. This assembly is built by a runtime newer than the currently loaded runtime and cannot be loaded. I had to add the supported framework to the powershell.exe.config file.<supportedRuntime version="v4.0.30319"/>I still had a problem running the assembly so I had to recompile and set "Generate serialization Assembly" to off.

    Read the article

  • Le noyau Linux 3.2 disponible : intégration du code d'Android, améliorations réseaux, Btrfs et support d'une nouvelle architecture

    Le noyau Linux 3.2 disponible : intégration du code d'Android améliorations réseaux, Btrfs et support d'une nouvelle architecture Linus Torvalds vient d'annoncer la disponibilité de la version 3.3 du noyau Linux. Au menu des nouveautés, on notera essentiellement la réintégration des portions de code du noyau d'Android . Pour rappel, en 2009, les pilotes d'Android avaient été exclus du noyau parce qu'ils n'étaient pas suffisamment maintenus. L'intégration d'Android permettra aux développeurs d'utiliser le noyau Linux pour faire fonctionner un système Android, développer un pilote pour les deux et réduira les couts de maintenance des correctifs indépendants d'une...

    Read the article

  • SQL in the City Seminar Portland 2013 –Deployment Stairway

    Join Red Gate for a free seminar on November 15 (the day before SQL Saturday Oregon). Steve Jones and Grant Fritchey, SQL Server MVPs, will present best practices for SQL Server version control, continuous integration and deployment, in addition to showing Red Gate tools in action. Want faster, smaller backups you can rely on? Use SQL Backup Pro for up to 95% compression, faster file transfer and integrated DBCC CHECKDB. Download a free trial now.

    Read the article

  • SFML 2.1 est disponible au téléchargement, la bibliothèque graphique corrige de nombreux bogues

    SFML 2.1 est disponible au téléchargementQuelques mois après la tant attendue version 2.0, la SFML, revient dans une mise à jour mineure corrigeant de nombreux bogues :SFML-Window correction d'un bogue faisant que les événements de déplacement de souris n'étaient pas toujours générés lorsque le bouton gauche était maintenu sur Windows ; les paramètres de contexte étaient ignorés sous Linux lors de la création de la fenêtre ; correction du bogue qui faisait que la fenêtre n'apparaissait pas ...

    Read the article

  • Problem connecting to certain wifi networks

    - by Romas
    I'm using lenovo u300s (it has Intel Centrino Wireless-N 1030 card), and I can connect to wireless network at home with no problem, but I can not connect to any networks at my university. I'm not sure if it's the case but most of university networks are open and you need to sign up your username as you enter browser. There is also an eudoroam network, but I can not connect to it either. Any suggestions? Yes I have the latest ubuntu version.

    Read the article

  • NetBeans arrête le support du module Ruby on Rails et concentre ses efforts sur l'intégration de Java SE 7

    NetBeans arrête le support du module Ruby on Rails Et concentre ses efforts sur l'intégration de Java SE 7 NetBeans 7.0, actuellement en bêta et prévu en version définitive pour avril, n'offrira plus de module pour Ruby on Rails. En cause, la faible utilisation de l'IDE d'Oracle par les développeurs Rails et la volonté de l'équipe du projet de se concentrer sur une meilleure intégration de Java 7. La décision est assez peu surprenante. Les développeurs Ruby ont généralement un penchant pour des IDE ...

    Read the article

  • Windows Phone 8 : Microsoft fait le point sur les nouvelles APIs, outils et fonctionnalités de l'OS mobile pour les développeurs

    Windows Phone 8 : Microsoft fait le point sur les nouvelles APIs outils et fonctionnalités de l'OS mobile pour les développeurs Microsoft a officiellement présenté la nouvelle version de son système d'exploitation mobile Windows Phone 8 la semaine dernière, ainsi que ses nouvelles fonctionnalités pour les consommateurs. Qu'est-ce que l'OS apporte concrètement aux développeurs d'applications mobiles ? C'est la question à laquelle répond l'éditeur dans un nouveau billet de blog sur l'espace de communication dédié à l'OS. [IMG]http://ftp-developpez.com/gordon-fowler/WP8/WP8%20lancement/WindowsPhone8%20LockScreen.jpg[/IMG] Le nouvea...

    Read the article

  • Cannot install Nvidia drivers

    - by Sagar_R
    I have 12.04 running on Intel dual core with Nvidia 8400 GS. I had installed the post-relase updates for Nvidia, but encountered some problems, so removed [deactivated] them through "Aditional drivers". After restarting, when I went to install the recommended version current drivers through "Additional drivers", I get the following error: Sorry, installation of this driver failed. Please have a look at the log file for details: /var/log/jockey.log

    Read the article

  • Team Development: Web Designing - Templates

    - by flashcorp
    Anyone here got some experience on designing a web template collaboratively? Me and my team are going to design a web page, a responsive site. I'm a little confused about how we will going to share the tasks? example WebDesigner1 is going to design the header and WebDesigner2 is going to design the footer? looks like its going to be hard and unorganized specially when using version controls.. any tips please?

    Read the article

  • Visual Studio 2013 Preview sort avec .NET 4.5.1 et Team Foundation Server 2013, l'EDI apporte plus de 5 000 nouvelles API

    Visual Studio 2013 Preview sort avec .NET 4.5.1 et Team Foundation Server 2013 l'EDI apporte plus de 5 000 nouvelles APIAprès Windows 8.1 Preview, c'est au tour de l'environnement de développement de Microsoft Visual Studio 2013 de pointer son nez.La build a été l'occasion pour Microsoft de dévoiler la Preview de Visual Studio 2013, de Team Foundation Server 2013 et de .NET 4.5.1Visual Studio 2013 apporte de nouveaux outils de productivité pour le contrôle de version, de profiling, de tests, de collaboration, de contrôles de sources, de gestion du portfolio agile, de suivi du cycle de vie des applications (ALM) et près de 5 000 ...

    Read the article

  • Visual Studio 2010 Web Development Improvements

    - by Aamir Hasan
    VS2010 emulates what is available in previous framework versions through reference assemblies. These assemblies contain metadata that describes functionality available in previous versions. VS2010 itself uses the .NET 4 framework, so when adding multitargeting support the team decided against running a previous framework version inside the same process. When your application is compiled to 100 percent guarantee application compatibility, previous compiler versions are used.Web development in Visual Studio 2010 has been enhanced for greater CSS compatibility, increased productivity through HTML and ASP.NET markup snippets and new dynamic IntelliSense JavaScript.Improved CSS CompatibilityHTML and JavaScript SnippetsJavaScript IntelliSense Enhancements

    Read the article

  • Le noyau Linux 3.3 disponible : intégration du code d'Android, améliorations réseaux, Btrfs et support d'une nouvelle architecture

    Le noyau Linux 3.3 disponible : intégration du code d'Android améliorations réseaux, Btrfs et support d'une nouvelle architecture Linus Torvalds vient d'annoncer la disponibilité de la version 3.3 du noyau Linux. Au menu des nouveautés, on notera essentiellement la réintégration des portions de code du noyau d'Android . Pour rappel, en 2009, les pilotes d'Android avaient été exclus du noyau parce qu'ils n'étaient pas suffisamment maintenus. L'intégration d'Android permettra aux développeurs d'utiliser le noyau Linux pour faire fonctionner un système Android, développer un pilote pour les deux et réduira les couts de maintenance des correctifs indépendants d'une...

    Read the article

  • Silverlight 4 SDK Release Candidate Is Available

    Microsoft has unveiled the Release Candidate of the Silverlight 4 SDK. This latest version delivers hundreds of features and controls that present the leading edge in rapid, powerful application development. Note: this is a developer release only that does not have "go-live" licensing available or an end-user runtime....Did you know that DotNetSlackers also publishes .net articles written by top known .net Authors? We already have over 80 articles in several categories including Silverlight. Take a look: here.

    Read the article

  • 6451B URL List...

    - by Da_Genester
    In addition to the info from the 6451A URL List, included below is info for the newer version of the class, 6451B. Helpful Links: SCCM Tools Aggregation: http://tinyurl.com/SCCM07ToolsLinks   Module 5:  Querying and Reporting Data 64-bit OS and Office Web Component issues - http://tinyurl.com/SCCM07OWC64bit SCCM and SSRS integration for a Reporting Services Point - http://tinyurl.com/SCCM07SSRS

    Read the article

< Previous Page | 726 727 728 729 730 731 732 733 734 735 736 737  | Next Page >