- Circular reference - 7 Updates
- What the wrong with the given code, Can some one tell me the correct one and do tell me the problem in the original one - 4 Updates
- Passing Functions by value or reference - 3 Updates
- int32_t vs. int64_t vs. long: Ambiguous - 4 Updates
- Can some one tell me the correct code and what is wrong with the original one - 2 Updates
- IMMEDIATE REQUIREMENT: CLARITY SOFTWARE DEVELOPER - 1 Update
- Circular reference - 2 Updates
- CCC CIUCCIA CAZZI DI CAVALLO PAOLO BARRAI DI CRIMINALI WMO E BSI ITALIA SRL, UNA VOLTA CACCIATO A SBERLE E FATTO CONDANNARE AL CARCERE DA CITIBANK, PRIMA DI SPENNARE POLLI NEL WEB, FECE FILM PORNOMOSESSUALI! E CON CAVALLI! CIUCCIANDO CAZZI EQUINI E.. - 1 Update
- auto - 1 Update
Joseph Hesse <joeh@gmail.com>: May 04 07:58AM -0500 Suppose I have two classes, class Person and class City. A City class is basically a set of Persons. An outline of the code would be: class Person { private: City *city; // the city in which the person lives // ... public: // ... }; class City { private: std::set<person> citizens; // ... public: // ... }; How do I get "City *city;" in class Person to work since the declaration of City occurs after the declaration of Person? Thank you, Joe |
Joseph Hesse <joeh@gmail.com>: May 04 07:59AM -0500 Suppose I have two classes, class Person and class City. A City class is basically a set of Persons. An outline of the code would be: class Person { private: City *city; // the city in which the person lives // ... public: // ... }; class City { private: std::set<Person> citizens; // ... public: // ... }; How do I get "City *city;" in class Person to work since the declaration of City occurs after the declaration of Person? Thank you, Joe |
Joseph Hesse <joeh@gmail.com>: May 04 08:18AM -0500 On 05/04/2015 08:03 AM, Stefan Ram wrote: > class Person{ City * city; }; > class City {}; > int main(){} Thank you. One further question. To introduce "class City" before "class Person", is it better style to explicitly write "class City" as in the above code or to include the header file for City? |
Victor Bazarov <v.bazarov@comcast.invalid>: May 04 09:34AM -0400 On 5/4/2015 9:18 AM, Joseph Hesse wrote: > To introduce "class City" before "class Person", is it better style to > explicitly write "class City" as in the above code or to include the > header file for City? Including a header file is just text substitution, essentially. Think what that means. What contents does your header have? What Stefan showed here is what the compiler will accept. Split it into headers and translation units that include those headers as you please. V -- I do not respond to top-posted replies, please don't ask |
Jorgen Grahn <grahn+nntp@snipabacken.se>: May 04 02:53PM On Mon, 2015-05-04, Joseph Hesse wrote: > To introduce "class City" before "class Person", is it better style to > explicitly write "class City" as in the above code or to include the > header file for City? If I have the choice, I prefer just declaring the class (City), to including city.h. Especially if City is just an implementation detail of Person, which the user of Person isn't always interested in. I don't know which style is better, but there's nothing wrong with forward-declarations and one should not avoid using them. /Jorgen -- // Jorgen Grahn <grahn@ Oo o. . . \X/ snipabacken.se> O o . |
legalize+jeeves@mail.xmission.com (Richard): May 04 05:21PM [Please do not mail me a copy of your followup] Joseph Hesse <joeh@gmail.com> spake the secret code >To introduce "class City" before "class Person", is it better style to >explicitly write "class City" as in the above code or to include the >header file for City? Always prefer forward declarations over including a header to avoid unnecessarily lengthy compile cycles. Modules will fix this, I think. But until we have modules, prefer forward declarations over including additional headers. -- "The Direct3D Graphics Pipeline" free book <http://tinyurl.com/d3d-pipeline> The Computer Graphics Museum <http://computergraphicsmuseum.org> The Terminals Wiki <http://terminals.classiccmp.org> Legalize Adulthood! (my blog) <http://legalizeadulthood.wordpress.com> |
Dombo <dombo@disposable.invalid>: May 04 09:04PM +0200 Op 04-May-15 14:59, Joseph Hesse schreef: > of City occurs after the declaration of Person? > Thank you, > Joe You need a forward declaration of City so the compiler knows that "City" is a class: class City; class Person { private: City *city; // the city in which the person lives // ... public: // ... }; class City { private: std::set<Person> citizens; // ... public: // ... }; Note that a forward declaration suffices for the Person class because the city member is a pointer. If the city member was an instance of the class City it wouldn't compile because at that point the compiler doesn't know yet how big instances of the City class will be and therefore cannot know how big instances of the Person class would be. |
koolAMit <jobs.amit02@gmail.com>: May 03 11:55PM -0700 using System; using System.Collections.Generic; public class Member { public string Email { get; private set; } public ICollection<Member> Friends { get; private set; } public Member(string email) : this(email, new List<Member>()) { } public Member(string email, ICollection<Member> friends) { this.Email = email; this.Friends = friends; } public void AddFriends(ICollection<Member> friends) { foreach (Member friend in friends) this.Friends.Add(friend); } public void AddFriend(Member friend) { this.Friends.Add(friend); } } public class Friends { public static List<Member> GetFriendsOfDegree(Member member, int degree) { throw new NotImplementedException("Waiting to be implemented."); } public static void Main(string[] args) { Member a = new Member("A"); Member b = new Member("B"); Member c = new Member("C"); a.AddFriend(b); b.AddFriend(c); foreach (Member friend in GetFriendsOfDegree(a, 2)) Console.WriteLine(friend.Email); } } [02/05/15 9:18:28 pm] @mit Agnihotri: Given a data structure representing a social network, write a function that finds friends of a certain degree. Friends of the first degree are a member's immediate friends, friends of the second degree are friends of a member's friends excluding first degree friends, etc. For example, if A is a friend with B and B is a friend with C, then GetFriendsOfDegree(A, 2) should return C since C is the only second degree friend of A (B is a first degree friend of A). |
David Brown <david.brown@hesbynett.no>: May 04 09:30AM +0200 On 04/05/15 08:55, koolAMit wrote: > using System; > using System.Collections.Generic; Your biggest problem is that this is a C++ newsgroup, and you are not writing C++ code. It looks like C# to me, which is a completely different language. |
koolAMit <jobs.amit02@gmail.com>: May 04 12:35AM -0700 On Monday, May 4, 2015 at 1:00:36 PM UTC+5:30, David Brown wrote: > Your biggest problem is that this is a C++ newsgroup, and you are not > writing C++ code. It looks like C# to me, which is a completely > different language. Ya Its C#, I thought Some one knows it, So I post it. |
legalize+jeeves@mail.xmission.com (Richard): May 04 05:29PM [Please do not mail me a copy of your followup] koolAMit <jobs.amit02@gmail.com> spake the secret code >Ya Its C#, I thought Some one knows it, So I post it. <http://www.catb.org/esr/faqs/smart-questions.html> You violated the very first piece of advice under "When You Ask". This is likely to get you ignored from now on. -- "The Direct3D Graphics Pipeline" free book <http://tinyurl.com/d3d-pipeline> The Computer Graphics Museum <http://computergraphicsmuseum.org> The Terminals Wiki <http://terminals.classiccmp.org> Legalize Adulthood! (my blog) <http://legalizeadulthood.wordpress.com> |
Doug Mika <dougmmika@gmail.com>: May 04 09:15AM -0700 I wish to pass a function into another function, so I decided to use templates for this purpose, ie: template<typename SortFunc> void Algorithm(SortFunc mySortFunc){ //Code goes in here } template<typename SortFunc> void Algorithm(SortFunc& mySortFunc){ //Code goes in here } the question is, when I call Algorithm with my sort function name (NOT a functor BUT a function defined in the program), would it matter if Algorithm takes my sort function by reference or by value? To put it simply, when passing functions (NOT functors), what is the difference between passing these by value or by reference? Thanks Doug |
Victor Bazarov <v.bazarov@comcast.invalid>: May 04 12:29PM -0400 On 5/4/2015 12:15 PM, Doug Mika wrote: > I wish to pass a function into another function, so I decided to use templates for this purpose, ie: > } > the question is, when I call Algorithm with my sort function name > (NOT a functor BUT a function defined in the program), would it matter if Algorithm takes my sort function by reference or by value? > To put it simply, when passing functions (NOT functors), what is the > difference between passing these by value or by reference? Most likely it would not matter if you're passing your functions to those templates by means of the name of the function, like Algorithm(mySpecialSort); . When used, the reference to function probably (just like a "real" function) decays into a pointer to function, or, if simply called, behaves just like a function would do. The difference between a pointer to function versus a reference to it is that a pointer to function *can* be null, and needs to be checked for that, I think. A reference to function should always be initialized to something, so it's likely not to require checking. That's my understanding. V -- I do not respond to top-posted replies, please don't ask |
legalize+jeeves@mail.xmission.com (Richard): May 04 05:25PM [Please do not mail me a copy of your followup] Doug Mika <dougmmika@gmail.com> spake the secret code >To put it simply, when passing functions (NOT functors), what is the >difference between passing these by value or by reference? Passing function names by value implies that they could potentially be nullptr. Passing function names by reference means that they can never be referring to a non-existing function. -- "The Direct3D Graphics Pipeline" free book <http://tinyurl.com/d3d-pipeline> The Computer Graphics Museum <http://computergraphicsmuseum.org> The Terminals Wiki <http://terminals.classiccmp.org> Legalize Adulthood! (my blog) <http://legalizeadulthood.wordpress.com> |
Juha Nieminen <nospam@thanks.invalid>: May 04 08:00AM Consider this program: //-------------------------------------------------------------------- #include <cstdint> #include <iostream> void foo(std::int32_t) { std::cout << "int32_t\n"; } void foo(std::int64_t) { std::cout << "int64_t\n"; } int main() { foo(123L); } //-------------------------------------------------------------------- If I try to compile it with clang++ (in C++11 mode), on a 64-bit target it gives me: test.cc:8:14: error: call to 'foo' is ambiguous I do not understand why exactly it's doing that. Why would it be ambiguous? (Given that a long type is 64-bit on this target, it would quite unambiguously not fit into a std::int32_t, so why does it consider it a valid match?) Note that if I call foo(123) it does not give any error. The problem can be solved by adding this version: void foo(long) { std::cout << "long\n"; } The thing is, I don't believe this to be portable anymore. If for example std::int64_t happens to be defined as 'long' in some other compiler, it would give an error. Indeed, if I did this: void foo(long long) { std::cout << "long long\n"; } it gives me: test.cc:7:6: error: redefinition of 'foo' And yes, I need to use std::int32_t & co because this is rather low-level binary code manipulation which needs to handle exact bit sizes. --- news://freenews.netfront.net/ - complaints: news@netfront.net --- |
Luca Risolia <luca.risolia@linux-projects.org>: May 04 11:12AM +0200 On 04/05/2015 10:00, Juha Nieminen wrote: > ambiguous? (Given that a long type is 64-bit on this target, it would > quite unambiguously not fit into a std::int32_t, so why does it > consider it a valid match?) long is 64-bit, ok, but are you sure std::int64_t is defined as long in your implementation? > The problem can be solved by adding this version: > void foo(long) { std::cout << "long\n"; } > The thing is, I don't believe this to be portable anymore. If you care about portability, consider that fixed width integers types are optional for a conforming C++ implementation. |
"Lőrinczy Zsigmond" <zsiga@nospam.for.me>: May 04 11:41AM +0200 Overloading is inherently problematic, it is unavoidable. Have one function with intmax_t type parameter. On 2015-05-04 10:00, Juha Nieminen wrote: |
legalize+jeeves@mail.xmission.com (Richard): May 04 05:24PM [Please do not mail me a copy of your followup] Juha Nieminen <nospam@thanks.invalid> spake the secret code >If I try to compile it with clang++ (in C++11 mode), on a 64-bit target >it gives me: >test.cc:8:14: error: call to 'foo' is ambiguous Try this: assert(sizeof(123L) == sizeof(std::int64_t)); From the error, I'm guessing this will fail. Then try: assert(sizeof(123LL) == sizeof(std::int64_t)); and that will most likely succeed. If it does, then use long long's constants for 64-bit integers, alternatively you can explicitly select the overload by doing: foo(static_cast<std::int64_t>(123)); -- "The Direct3D Graphics Pipeline" free book <http://tinyurl.com/d3d-pipeline> The Computer Graphics Museum <http://computergraphicsmuseum.org> The Terminals Wiki <http://terminals.classiccmp.org> Legalize Adulthood! (my blog) <http://legalizeadulthood.wordpress.com> |
koolAMit <jobs.amit02@gmail.com>: May 03 11:57PM -0700 using System; using System.Collections.Generic; public class Member { public string Email { get; private set; } public ICollection<Member> Friends { get; private set; } public Member(string email) : this(email, new List<Member>()) { } public Member(string email, ICollection<Member> friends) { this.Email = email; this.Friends = friends; } public void AddFriends(ICollection<Member> friends) { foreach (Member friend in friends) this.Friends.Add(friend); } public void AddFriend(Member friend) { this.Friends.Add(friend); } } public class Friends { public static List<Member> GetFriendsOfDegree(Member member, int degree) { throw new NotImplementedException("Waiting to be implemented."); } public static void Main(string[] args) { Member a = new Member("A"); Member b = new Member("B"); Member c = new Member("C"); a.AddFriend(b); b.AddFriend(c); foreach (Member friend in GetFriendsOfDegree(a, 2)) Console.WriteLine(friend.Email); } } [02/05/15 9:18:28 pm] @mit Agnihotri: Given a data structure representing a social network, write a function that finds friends of a certain degree. Friends of the first degree are a member's immediate friends, friends of the second degree are friends of a member's friends excluding first degree friends, etc. For example, if A is a friend with B and B is a friend with C, then GetFriendsOfDegree(A, 2) should return C since C is the only second degree friend of A (B is a first degree friend of A). |
legalize+jeeves@mail.xmission.com (Richard): May 04 05:16PM [Please do not mail me a copy of your followup] koolAMit <jobs.amit02@gmail.com> spake the secret code >using System; >using System.Collections.Generic; Wrong newsgroup. This is the newsgroup for C++, not C#. -- "The Direct3D Graphics Pipeline" free book <http://tinyurl.com/d3d-pipeline> The Computer Graphics Museum <http://computergraphicsmuseum.org> The Terminals Wiki <http://terminals.classiccmp.org> Legalize Adulthood! (my blog) <http://legalizeadulthood.wordpress.com> |
tulikaganguly091@gmail.com: May 04 08:55AM -0700 REQUIREMENT DETAILS: Job Title : Clarity Software Developer Work Location : Little Rock, AR; Warren, NJ; Irvine, CA; Alpharetta, GA Contract Duration : 6 Months (High Possibility of Extension) Primary Skills : Clarity Development Local Candidates wanted, who can come for face to face interview. JOB REQUIREMENT: > Strong understanding of database concepts (Oracle, generic SQL, relational modeling/DB design) >Unix-based, and Oracle platforms > Experience with general purpose programming languages (Java, Python Perl, etc) CONSULTANT DETAILS Full Name as per SSN: Work authorization in US & Expiration Date: Current Location: DOB: Last 4-digits of SSN: USA Experience: Total IT Experience: Graduation Year: Contact details: Email ID: Open to relocate: Rate: Two References : Thanks & Regards, ------------------------ Tulika Ganguly Executive - Recruiting E-Aspire IT, LLC (O) 609-997-0444, (C) 609-963-8950 Email: tulika.ganguly@e-aspireit.com |
ram@zedat.fu-berlin.de (Stefan Ram): May 04 01:03PM >How do I get "City *city;" in class Person to work since the declaration >of City occurs after the declaration of Person? class City; class Person{ City * city; }; class City {}; int main(){} |
bleachbot <bleachbot@httrack.com>: May 04 04:44PM +0200 |
"MICHELE RAGAZZI. ODEY GIANO." <ginobusciarello@outlook.com>: May 04 07:44AM -0700 CCC CIUCCIA CAZZI DI CAVALLO PAOLO BARRAI DI CRIMINALI WMO E BSI ITALIA SRL, UNA VOLTA CACCIATO A SBERLE E FATTO CONDANNARE AL CARCERE DA CITIBANK, PRIMA DI SPENNARE POLLI NEL WEB, FECE FILM PORNOMOSESSUALI! E CON CAVALLI! CIUCCIANDO CAZZI EQUINI E.. --- - FREQUENTISSIMO MANDANTE DI BERLUSCONIANI E LEGHISTI OMICIDI MASCHERATI DA FINTISSIMI INCIDENTI, MALORI, PIU' SPESSO ANCORA, "SUICIDATE" ( ALLA DAVID ROSSI DI MONTE PASCHI O CORSO BOVIO O ALBERTO CAPERNA O PIETRO SAVIOTTI O GIORGIO PANTO O PAOLO ALBERTI O ADAMO BOVE O MICHELE LANDI O ANDREA PININFARINA O VINCENZO PARISI O ANTONIO MANGANELLI O MIKE BONGIORNO O.... ALLA GENITORI DI CLEMENTINA FORLEO O .... ALLA GERARDO DAMBROSIO.. PER NON DIRE DEGLI ETERNI GIOVANNI FALCONE E PAOLO BORSELLINO... TUTTA GRANDE GENTE FATTA AMMAZZARE IN MILLE DIVERSI MODI DAGLI ASSASSINI, FINANCO STRAGISTI, SILVIO BERLUSCONI, MARINA BERLUSCONI, ENNIO DORIS, MASSIMO DORIS, UMBERTO BOSSI, ROBERTO MARONI, MATTEO SALVINI E I TERRORISTI NERI E SPECIALMENTE " IN NERO": PAOLO BARRAI E MAURIZIO BARBERO, NOTO PEDERASTA ASSASSINO DI TECHNOSKY: POTETE STARNE STRA CERTI) -NOTO NAZIPEDERASTA PAOLO BARRAI ( 28.06.1965) DI CRIMINALISSIME WMO E BSI ITALIA SRL DI VIA SOCRATE 26 MILANO, CHE PER DIFENDERE IL SUO MANDANTE FASCIOCAMORRISTA, STRAGISTA E NOTO PEDOFILO COME LUI, SILVIO BERLUSCONI ( NOTARE BENE, PLEASE, CHE STO NAZIPEDERASTA DI FIAMMA TRICOLORE, FORZA NUOVA, CASA POUND E LL - LEGA LADRONA, PAOLO BARRAI, E' IN POSSESSO DA ANNI DELLA REPELLENTE, VOMITEVOLISSIMA TESSERA DI ORGOGLIO PEDOFILO: http://en.wikipedia.org/wiki/North_American_Man/Boy_Love_Association ) HA SPESSO DETTO E SCRITTO: " CHE LA PEDOFILIA NON E' UN REATO, IN QUANTO NEL TERZO MONDO, TANTE BAMBINE DI 12 ANNI RIMANGONO IN CINTA"! PER AGGIUNGERE IN PRIVATO E SPESSISSIMO, FRASI DA FAR MEGA SUPER STRA ACCAPONARE LA PELLE, OSSIA, CHE E' FIERO DI AVER SODOMIZZATO I SUOI FIGLI RICCARDO BARRAI E COSTANZA BARRAI FIN DALLA NASCITA! MOSTRANDO ANCHE DELLE FOTO PEDOPORNOMOSESSUALI, IN CUI "ATTORE" ERA LO STESSO NAZIPEDERASTA PAOLO BARRAI! FOTO DI FILM PER PEDERASTA ( COME PAOLO BARRAI E SUO PAPPONE SILVIO BERLUSCONI) DEGLI ANNI 2000, 2001, 2002 (OSSIA, APPENA DOPO CHE LO STESSO AVANZO DI GALERA PAOLO BARRAI VENNE CACCIATO MALISSIMAMENTE DA CITIBANK PER CRIMINI EFFERATI CHE LO STESSO, LI, COMMETTEVA, PER POI VENIR CONDANNATO AL CARCERE SU DENUNCIA DI CITIBANK: COSA DI CUI PRESTO SCRIVEREMO) IN CUI '" LA STAR" E' PROPRIO DETTO PERVERTITISSIMO VERME PAOLO BARRAI. RAFFIGURATO A FARE FILM PORNOMOSESSUALI CON RAGAZZINI DI 12-14-16 ANNI! O, SCIOCCANTISSIMAMENTE, MENTRE FA SESSO ORALE E NON SOLO, CON CAVALLI ( FOTO CHE ERANO IN INTERNET E CHE, APPENA IL TUTTO INIZIO' A VIENIRE A GALLA, LO STESSO PAZZO DEPRAVATO PAOLO BARRAI, PER POTER PIU' FACILMENTE "SPENNARE POLLI IN RETE" VIA SUE TRUFFE FINANAZIARIO-MEDIATICHE, HA FATTO CANCELLARE.... GOOGLE BOUT IT: "CCC: CIUCCIA CA--I DI CAVALLO PAOLO BARRAI" E NE LEGGERETE A PROPOSITO)! QUI MI FERMO O LA MIA BILE O PANCREAS O FEGATO O STOMACO O CUORE O TUTTO QUESTO INSIEME, FAN CRACK, E MI MANDAN ALL' ALTRO MONDO SUBITO! TORNIAMO SU TERRENI PIU' "NORMALI", PLEASE, PER QUANTO LE COSE ESTREMAMENTE ORRIDE APPENA DESCRITTE, SONO SUPER STRA VERE!!! -NAZINDRANGHETISTA, LADRO, TRUFFATORE, SPENNA POLLI IN RETE A RAFFICA, PERICOLOSISSIMO AZZERARISPARMI, MEGA LAVA SOLDI DI COSA NOSTRA, CAMORRA, NDRANGHETA, O SOLDI POLITI-C-RIMINALISSIMI, ESATTAMENTE FRUTTI DI MEGA MAZZETTE O RUBERIE DI LL LEGA LADRONA ED EX PDL, POPOLO DI LADRONI: PLURI PREGIUDICATO, AVANZO DI GALERA PAOLO BARRAI NATO A MILANO IL 28.06.1965 https://it.linkedin.com/pub/dir/?first=PAOLO&last=BARRAI&search=Search (RICICLANTE CASH CHE COLA ANCHE SANGUE DI MORTI AMMAZZATI; NON SOLO PER PRIMA CITATE MALAVITE ORGANIZZATE O AL CAPONE MISTI AD ADOLF HITLER DELLA POLITICA, COME SILVIO BERLUSCONI E MATTEO SALVINI; MA ANCHE PER VIA DI SUOI CAMERATA KILLER QUALI MASSIMO CARMINATI E GENNARO MOKBEL; COME, AI TEMPI, TANTO QUANTO, PER ALTRI SUOI CAMERATA DELINQUENTISSIMI QUALI WALTER LAVITOLA, ALESSANDRO PROTO, FRANCO FIORITO E FRANCESCO BELSITO; O PER PICCIOTTINCRAVATTATI QUALI IL PERICOLOSISSIMO MEGARICICLA SOLDI MAFIOSI: GIOVANNI RAIMONDI DI DI PIA PARTECIPAZIONI 20121 MILANO FORO BUONAPARTE 12; GIA' DI MALAVITOSA BANCA SAI, MALAVITOSA GIOVANNI RAIMONDI SIM E MALAVITOSO GIOVANNI RAIMONDI AGENTE DI CAMBIO; DA SEMPRE, QUEST'ULTIMO, FACENTE OGNI TIPO DI DELITTO FINANZIARIO, CON O PER, SUOI PAPPONI MA-F-ASCISTI ENNIO DORIS, MASSIMO DORIS, SILVIO BERLUSCONI, PAOLO LIGRESTI ED IGNAZIO LA RUSSA). COLLETTO ARCI FETIDO PAOLO BARRAI DI CRIMINALISSIMO WMOGROUP, CRIMINALISSIMA BSI ITALIA SRL DI VIA SOCRATE 26 MILANO E PRECIPITANTE BLOG MERCATO 'MERDATO' LIBERO ( TALMENTE PRECIPITANTE CHE DALLA VERGOGNA ESTREMA DI MOSTRARE CHE GLI VI SONO RIMASTI, AL MASSIMO, 3 LETTORIDIOTI AL GIORNO, HA LEVATO DALLO STESSO IL CONTATORE: IAMM E STRA IAMM BEEE). PRIMA DI CONTINUARE A DESCRIVERE QUESTO UGO FANTOZZI ( OSSIA SEMPRE PERDENTISSIMO) MISTO A RENATO VALLANZASCA ( OSSIA SEMPRE CRIMINALISSIMO), DELLA FINANZA, CHE E' IL COLLETTO LERCIO PAOLO BARRAI, VORREI, PER INIZIARE, SOTTOLINEARE COME MAI E POI MAI SI SIAN VISTI DEI CAGNACCI BRUCIA AVERI ALTRUI COME L'AVANZO DI GALERA PAOLO BARRAI STESSO, UNITO AL NOTO LADRO, TRUFFATORE, SEMPRE SBAGLIANTE IN BORSA, FEDERICO IZZI CONOSCIUTO A TUTTI COME 'ER ZIO ROMOLO DELLA CAMORRA'. UNA PROVA? ALTRO CHE UNA, VE NE SONO MILIARDI DI PROVE! IAMM BELL, IA! INIZIAMO SOLO CON 2 'PROVETTE' SU MILIONI DI MILIONI ( PRESTO CENTINAIA DI MIGLIAIA DI BLOGS CHE LE MOSTRERANNO TUTTE, LE CANNATE DISTRUGGI RISPARMI DI MIGLIAIA DI PERSONE, DI PAOLO BARRAI DI ESTREMISSIMAMENTE MALAVITOSA WMO)! IL 5.9.14 DICEVAN DI VENDERE, CHE IL DOW JONES A GIORNI SAREBBE CROLLATO SOTTO 15.000 DA 17200 CIRCA OVE ERA http://ilpunto-borsainvestimenti.blogspot.nl/2014/10/dow-jones-atteso-in-area-15000.html "INFATTI".... AAAH, SIAMO SCHIZZATI IN SU FINO AI MASSIMI DI TUTTI I TEMPI! QUASI 18.000! SIAM SCHIZZATI IN SU E TANTISSIMO! MILIARDESIMA, "ENNESISSIMA" LORO CANNATA! DA SCHIATTARE DAL RIDERE! GUARDATE QUI, PLS, COSA, L'ESCREMENTO NAZISTA, LAVA SOLDI MAFIOSI, LADRO, TRUFFATORE FEDERICO IZZI (AGAIN AND AGAIN AND AGAIN: NOTO A TUTTI COME "ER ZIO ROMOLO DELLA CAMORRA" IN QUANTO CAMPA SOLO E SEMPRE DI RICICLAGGIO DI SOLDI ASSASSINI), RAGLIAVA IL 5.9.14: http://ilpunto-borsainvestimenti.blogspot.fr/2014/09/zio-romolo-i-mercati-hanno-esagerato-ma.html ESATTAMENTE DA QUELLA DATA, IL DOW JONES E' SCHIZZATO IN SU COME UN RAZZO https://es.finance.yahoo.com/echarts?s=%5EDJI GIUSTO... COSI'... PER MENZIONARNE UN ALTRA, UNA SU MILIONI DI MILIONI, LA PRIMA CHE MI VIENE IN MENTE... FACEVA VENDERE AZIONI AD INIZIO 1.2012 E TUTTO E' SALITO PER 3 MESI! http://mercatoliberotraderpergioco.blogspot.fr/2012/01/ci-attende-un-gennaio-di-ribassi.html FACEVA POI COMPRARE, OVVIAMENTE, AI MASSIMI, IN PIENA PRIMAVERA 2012, E SIAM CROLLATI DA 13270 A 12115!!! FRA L'ALTRO STO SCHIFOSO PEZZO DI ME.DA DI FEDERICO IZZI NOTO COME "ER ZIO ROMOLO DELLA CAMORRA", COME LO E' OGNI ESCREMENTO BERLUSCONICCHIO, E' UN TUTT'UNO CON MALAVITE DI TUTTO IL MERIDIONE DI FECCIA DITTATORIALE DI "RENZUSCONIA". E, TENTEVI DURO, DELLA BANDA DELLA MAGLIANA. OLTRE CHE CON PRIMA CITATI VERMI DEI GIRI DI MASSIMO CARMINATI E GENNARO MOKBEL! COME UN ESTRATTO DI RECENTE VINCENTISSIMO TESTO CHE GIRA PER LA RETE, STRA DIMOSTRA: "...BESTIA CHE MEGA TRUFFA VIA WEB E FA SEMPRE PERDERE TUTTI I RISPARMI DI TUTTI, PUZZONE CRIMINALE FEDERICO IZZI DI ROMA. NOTO COME ZIO ROMOLO! VICINISSIMO AD ENRICO NICOLETTI, NOTO MALAVITOSO BANCHIERE DELLA BANCA DELLA MAGLIANAhttp://www.agoravox.it/Arrestato-Enrico-Nicoletti-il.html , VICINISSIMO A TERRORISTI NAZISTI COME MASSIMO CARMINATI E GENNARO MOKBEL! VICINISSIMO AI CRUDELI ASSASSINI "CASALESI", VIA, NOTORIAMENTE, MEGA OMICIDA FAMIGLIA CAMORRISTA DEI BARDELLINO http://www.ilfattoquotidiano.it/2011/12/10/affari-politici-camorra-formia-avamposto-laziale-casalesi/176674/ PRESSO FORMIA E LATINA ...." ....D'ALTRONDE.... STO VERMINOSO AVANZO DI GALERA IN QUANTO PIU' VOLTE ARRESTATO, PAOLO BARRAI DI CRIMINALISSIMA WMO, CRIMINALISSIMA BSI ITALIA SRL DI VIA SOCRATE 26 MILANO E CRIMINALISSIMO BLOG MERCATO "MERDATO" LIBERO.... QUANDO SCROCCAVA GRATIS IL GENIO BORSISTICO ED EROE CIVILE MICHELE NISTA ( DI CUI PRESTO SCRIVERO' NON POCO), E SOLO E SEMPRE GRAZIE A MICHELE, CI GUADAGNAVA PARECCHI SOLDI, SCRIVEVA LA MERA VERITA', OSSIA CHE MICHELE NISTA ERA (ED ANCORA E') IL NUMERO UNO AL MONDO IN FIUTO BORSISTICO, COME PURE POLITICO ED INVESTIGATIVO! ORA, INVECE, SICCOME NON LO RIESCE A SCROCCARE PIU', LO VUOLE MORTO! MAI VISTO UN BASTARDO, FALSONE, TRUFFATORE, SFACCIATO, SCAFATO LADRO E I ASSICURO, PURE MANDANTE DI OMICIDI, COME PRESTO PROVEREMO, COME PAOLO BARRAI DI MALAVITOSISSIMA WMO! TORNIAMO A MICHELE, DI CUI ACCENNAVO. ECCO UNO SCRITTO CHE GIRA SU INTERNET, E CHE, ASSICURO, SCRIVE ASSOUTISSIME, E, TANTO QUANTO, PROVABILISSIME VERITA': "GENIO BORSISTICO ED EROE CIVILE MICHELE NISTA (michelenista@gmx.com). AZZECCA IN AZIONI E MATERIE PRIME, SEMPRE. SU TUTTO. OGNI GIORNO. IN OGNI ANGOLO DEL PIANETA TERRA. SIA A LIVELLO DI AZIONARIO, CHE DI MATERIE PRIME. GENIO IN INVESTIMENTI MOBILIARI, MA PURE UN EROE. STA DISTRUGGENDO IL MAFASCISTASSASSINO, PEDOFILO SILVIO BERLUSCONI E SALVANDO, COSI', L'ITALIA, CHE GIUSTAMENTE, CHIAMA, AL MOMENTO, DITTATURA FASCIONDRANGHETISTA DI BERLUSCONIA!!! MAI VISTO UN ASSOLUTO GENIO COME MICHELE NISTA. AZZECCA IN AZIONI E MATERIE PRIME SEMPRE, SEMPRE, SEMPRE. E NON SOLO IN AZIONI A MATERIE PRIME, MA SU TUTTO. AZZECCA SU TUTTO, E ANCHE CON NOVE, DODICI MEDI DI ANTICIPO. LO DICE CARTA CHE CANTA, LO DICONO SUE EMAILS E POST. IL GRANDISSIMO GENIO E RE MIDA MICHELE NISTA, HA PRESO IL RIBASSO DEL DOW JONES DEL 2007 E 2008, IL RIALZO DEL MARZO 2009, IL MINIMO DEL DOW JONES A 9700, DEL LUGLIO 2010, IL RIALZO DI INIZIO AUTUNNO 2010, IL RIBASSO DEL MAGGIO 2011, E L'ESPLOSIVO RIALZO CHE CI HA PORTATO AI GIORNI NOSTRI. AZZECCA SU TUTTO E' SEMPRE, IL GENIO MICHELE NISTA. SU TUTTO E SEMPRE. MA COME FA??? MICHELE NISTA, UN GRANDISSIMO GENIO, IL PIU' GRANDE GENIO BORSISTICO, DA SECOLI IN QUA. LO DICONO TONNELLATE DI FATTI, LO DICE CARTA STAMPATA DA INTERNET, CHE CANTA COME UN USIGNOLO. MICHELE NISTA, SEI UN GRANDISSIMO GENIO"! Ciao a tutti. Mi chiamo Gianni, sono di Rimini, e vivo tra la mia citta' natale e Stoccolma, essendo mia moglie svedese. Devo dire che ho grande voglia di esprimere la mia gioia di conoscere l'assolutissimo genio Michele Nista (michelenista@gmx.com), di cui son felicissimo e arricchitissimo cliente. Un genio senza se e senza ma. Genio e eroe, in quanto sta salvandoci anche dalla dittatura maf..ascista ed assassina di Silvio Berlusconi. Con una creativita', energia, coraggio, e specialmente, risultati vincentissimi, che non trovi da nessuna altra parte, e mai. Non sbaglia mai e stra mai, ovvero, azzecca sempre, facendo fare tantissimi soldi, a tutti, in previsioni su azioni e materie prime. Ma azzecca anche, qualsiasi previsione in politica, calcio. Qualunque altra cosa. Michele Nista e' una vera e propria success machine, tutti i giorni dell'anno. Michele Nista e' un grandissimo Re Mida, uno dei piu' grandi Re Mida di tutti i tempi, in azioni, materie prime e non solo. E questo da fine anni 80, non solo da ora. O da due, tre anni. E' molto boicottato, il genio Michele Nista, da un topo di fogna, gia' condannato al carcere in Italia, Brasile, e indagato in Inghilterra, che e' il pervertito sessuale, nazista, minacciante morte, e quindi, assassino: Paolo Barrai di Mercato Libero. Non mi credete su che verme sia l'assassino fallito Paolo Barrai che attacca sempre, il genio in azioni e materie prime, nonche', eroe civile, Michele Nista? Allora date un'occhiata a cosa scrive chi da lui, si e' visto, di fatto, derubare milioni di euro, tutti risparmi che aveva: Gruppo di risparmiatori truffati da bastardissimo criminale, pluri pregiudicato, avanzo di galera Paolo Barrai ( Blog Mercato "Merdato" Libero). Da incapace, delinquente, ladro, mega lava EURO mafiosi o "politicriminali", padanazista, berlusconazista, razzista, antisemita, super cocainomane, acclarato pedofilo, frequente mandante di omicidi Paolo Barrai ( Mercato Libero noto a tutto il mondo come Mer-d-ato Libero). Si, assolutamente, pure assassino Paolo Barrai ( "suicidatore" di David Rossi di Mps ma non solo). Schifoso lava cash mafioso e killer Paolo Barrai nato a Milano il 28.6.1965. E, prima di ora scappare come un vile ratto, a Lugano, in Svizzera (avendo paura di venire arrestato, in quanto indagato da Procure di Mezza Italia) e fra poco ancora più lontano: a Panama ( ove lo proteggerebbe il criminalissimo nazifascista corrottissimo ambasciatore lava EURO e $ mafiosi Giancarlo Maria Curcio http://www.ambpanama.esteri.it/Ambasciata_Panama/Menu/Ambasciata/Ambasciatore/ non per niente, vicino al noto camorrist-avanzo di galera Valter Lavitola http://www.ilfattoquotidiano.it/2012/05/01/ecco-legami-valter-lavitola-lambasciatore-curcio-panama/214621/ http://www.bergamonews.it/politica/lavitola-e-berlusconi-intercettazoni-e-ricatti-hard-di-panama-183608) . Verme repellente Paolo Barrai di Mercato Libero: facente sue terrificanti delinquenze in cravatta da casa, presso Via Ippodromo 105 Milano. O DAGLI UFFICI DI MALAVITOSA, MEGA LAVA SOLDI DI COSA NOSTRA, LADRONA, BASTARDAMENTE CRIMINALE BSI ITALIA SRL DI VIA SOCRATE 26 MILANO. IN MANO A SUO PADRE, NOTO PADANAZIS-T-RUFFATORE E PURE NOTO PEDERASTA VINCENZO BARRAI. ABITANTE IN VIA PADOVA 282 A MILANO E NATO A MILANO IL 3.5.1938 Ciao, sono Antonella di Milano, e faccio parte di un foltissimo gruppo di clienti derubati di tutto, dall'assolutamente criminale Paolo Barrai (Mercato Libero, ormai noto nel mondo intero come Mer-d-ato Libero). Costui è davvero un bastardo assassino sicario. A tutti noi, uniti ora in una associazione " Risparmiatori truffati da spietato criminale Paolo Barrai di Mercato Libero (e siamo gia' in centoventi, dico centiventi: di tutta Italia, Brasile, Germania e Svizzera)" ci fece andare corti ( al ribasso) sul mercato azionario italiano a inizio 2009 (col Dow Jones ai minimi degli ultimi decenni: 6900; cosa che avrebbe potuto fare solo l'Ugo Fantozzi misto a Renato Vallanzasca della Finanza: Paolo Barrai). Abbiam perso quasi tutti tra il 70 e il 100 per cento dei nostri investimenti. E quando gli telefonavamo per chiedere semplicemente che fare, mentre il mercato saliva rapidissimamente, dal Marzo 2009 in avanti, egli, se non meglio dire, "esso", come un vile ratto, scappava. Si faceva sempre negare al telefono. Mandavamo e mails, nessuna risposta. Citofanavamo agli uffici di ultra truffatrice, ultra malavitosa, ultra ladrona Bsi Italia Srl di Via Socrate 26 a Milano di suo padre, notoriamente pure pedofilo, oltre che mega ricicla soldi criminal-istituzionali o mafiosi, Vincenzo Barrai di Via Padova 282 a Milano, ci vedeva dalla telecamera e nemmeno ci rispondeva. Nemmeno ci apriva il cancello di entrata. Io non sto offendendo, sto solo dicendo la mera verità . E fra poco la faremo sapere a fior fior di Tribunali di mezza Italia, anzi, mezzo Pianeta Terrra!!! Che i delinquenti ti debbano fare fessa, e pure non permettano replica, no eeeee. Il neofascismo e la mafia del delinquente, del ladro, del truffatore, del professionalmente incapacissimo, del davvero bastardo dentro e fuori Paolo Barrai di Mercato Libero alias Mer-d-ato Libero, a noi non fa nessuna paura. Una truffata, derubata di tutto, dal verme assassino Paolo Barrai (già riciclante soldi di Mafia, Camorra, Ndrangheta, come di mastodontici ladrocinii o mega corruzione di Umberto Bossi e Silvio Berlusconi). Fra l´altro, socio, non compare di malavita, ma socio di: arrestato Alessandro Proto http://www.ilfattoquotidiano.it/2013/02/14/manipolazione-del-mercato-arrestato-a-milano-finanziere-alessandro-proto/500117/ http://www.ilsole24ore.com/art/notizie/2013-02-14/arrestato-finanziere-alessandro-proto-185225.shtml?uuid=AbLGMWUH |
Victor Bazarov <v.bazarov@comcast.invalid>: May 03 08:25PM -0400 On 5/3/2015 12:39 PM, Stefan Ram wrote: > actually possible? The type deduced for »{1,2}« should be > «initializer_list<int>«, while the type deduced for »r« > should be »int«, so it's not the same type! It is allowed, I think. See [dcl.spec.auto]. The types need to match, but std::initializer_list<T> is a special case, I think. In other words, in this case 'auto' is determined as 'int' but X is made 'std::initializer_list<int>' (from the brace-enclosed initializer). > (If you would write »r=1.«, then the implementation /would/ > complain that the types do not match.) V -- I do not respond to top-posted replies, please don't ask |
You received this digest because you're subscribed to updates for this group. You can change your settings on the group membership page. To unsubscribe from this group and stop receiving emails from it send an email to comp.lang.c+++unsubscribe@googlegroups.com. |
No comments:
Post a Comment