From ae1dc1a91eea23be14f952efb130412fe6a7996b Mon Sep 17 00:00:00 2001 From: Frédéric Guillot Date: Mon, 29 Oct 2018 23:00:03 -0700 Subject: Handle more encoding conversion edge cases --- http/client/response.go | 41 +- http/client/response_test.go | 116 ++- http/client/testdata/HTTP-charset.html | 48 ++ http/client/testdata/HTTP-vs-UTF-8-BOM.html | 48 ++ http/client/testdata/HTTP-vs-meta-charset.html | 49 ++ http/client/testdata/HTTP-vs-meta-content.html | 49 ++ http/client/testdata/No-encoding-declaration.html | 47 ++ http/client/testdata/README | 9 + http/client/testdata/UTF-16BE-BOM.html | Bin 0 -> 2670 bytes http/client/testdata/UTF-16LE-BOM.html | Bin 0 -> 2682 bytes .../client/testdata/UTF-8-BOM-vs-meta-charset.html | 49 ++ .../client/testdata/UTF-8-BOM-vs-meta-content.html | 48 ++ .../testdata/charset-content-type-xml-iso88591.xml | 422 ++++++++++ .../testdata/content-type-only-win-8859-1.xml | 79 ++ http/client/testdata/gb2312.html | 862 +++++++++++++++++++++ http/client/testdata/meta-charset-attribute.html | 48 ++ http/client/testdata/meta-content-attribute.html | 48 ++ http/client/testdata/rdf_utf8.xml | 374 +++++++++ http/client/testdata/urdu.xml | 226 ++++++ http/client/testdata/windows_1251.html | 242 ++++++ http/client/testdata/windows_1251.xml | 359 +++++++++ 21 files changed, 3137 insertions(+), 27 deletions(-) create mode 100644 http/client/testdata/HTTP-charset.html create mode 100644 http/client/testdata/HTTP-vs-UTF-8-BOM.html create mode 100644 http/client/testdata/HTTP-vs-meta-charset.html create mode 100644 http/client/testdata/HTTP-vs-meta-content.html create mode 100644 http/client/testdata/No-encoding-declaration.html create mode 100644 http/client/testdata/README create mode 100644 http/client/testdata/UTF-16BE-BOM.html create mode 100644 http/client/testdata/UTF-16LE-BOM.html create mode 100644 http/client/testdata/UTF-8-BOM-vs-meta-charset.html create mode 100644 http/client/testdata/UTF-8-BOM-vs-meta-content.html create mode 100644 http/client/testdata/charset-content-type-xml-iso88591.xml create mode 100644 http/client/testdata/content-type-only-win-8859-1.xml create mode 100644 http/client/testdata/gb2312.html create mode 100644 http/client/testdata/meta-charset-attribute.html create mode 100644 http/client/testdata/meta-content-attribute.html create mode 100644 http/client/testdata/rdf_utf8.xml create mode 100644 http/client/testdata/urdu.xml create mode 100644 http/client/testdata/windows_1251.html create mode 100644 http/client/testdata/windows_1251.xml (limited to 'http') diff --git a/http/client/response.go b/http/client/response.go index c084824..8fcaa26 100644 --- a/http/client/response.go +++ b/http/client/response.go @@ -5,15 +5,18 @@ package client // import "miniflux.app/http/client" import ( + "bytes" "io" "io/ioutil" "mime" + "regexp" "strings" "golang.org/x/net/html/charset" - "miniflux.app/logger" ) +var xmlEncodingRegex = regexp.MustCompile(`<\?xml(.*)encoding="(.+)"(.*)\?>`) + // Response wraps a server response. type Response struct { Body io.Reader @@ -63,22 +66,32 @@ func (r *Response) IsModified(etag, lastModified string) bool { // This is used by the scraper and feed readers. // // Do not forget edge cases: -// - Some non-utf8 feeds specify encoding only in Content-Type, not in XML document. -func (r *Response) EnsureUnicodeBody() error { - _, params, err := mime.ParseMediaType(r.ContentType) - if err == nil { - if enc, found := params["charset"]; found { - enc = strings.ToLower(enc) - if enc != "utf-8" && enc != "utf8" && enc != "" { - logger.Debug("[EnsureUnicodeBody] Convert body to utf-8 from %s", enc) - r.Body, err = charset.NewReader(r.Body, r.ContentType) - if err != nil { - return err - } +// +// - Feeds with encoding specified only in Content-Type header and not in XML document +// - Feeds with encoding specified in both places +// - Feeds with encoding specified only in XML document and not in HTTP header +// - Feeds with wrong encoding defined and already in UTF-8 +func (r *Response) EnsureUnicodeBody() (err error) { + if r.ContentType != "" { + mediaType, _, mediaErr := mime.ParseMediaType(r.ContentType) + if mediaErr != nil { + return mediaErr + } + + if strings.Contains(mediaType, "xml") { + buffer, _ := ioutil.ReadAll(r.Body) + r.Body = bytes.NewReader(buffer) + + // We ignore documents with encoding specified in XML prolog. + // This is going to be handled by the XML parser. + if xmlEncodingRegex.Match(buffer[0:1024]) { + return } } } - return nil + + r.Body, err = charset.NewReader(r.Body, r.ContentType) + return err } // String returns the response body as string. diff --git a/http/client/response_test.go b/http/client/response_test.go index cd0f73d..7c024af 100644 --- a/http/client/response_test.go +++ b/http/client/response_test.go @@ -4,26 +4,62 @@ package client // import "miniflux.app/http/client" -import "testing" +import ( + "bytes" + "io/ioutil" + "strings" + "testing" + "unicode/utf8" +) -func TestHasServerFailureWith200Status(t *testing.T) { - r := &Response{StatusCode: 200} - if r.HasServerFailure() { - t.Error("200 is not a failure") +func TestIsNotFound(t *testing.T) { + scenarios := map[int]bool{ + 200: false, + 404: true, + 410: true, + } + + for input, expected := range scenarios { + r := &Response{StatusCode: input} + actual := r.IsNotFound() + + if actual != expected { + t.Errorf(`Unexpected result, got %v instead of %v for status code %d`, actual, expected, input) + } } } -func TestHasServerFailureWith404Status(t *testing.T) { - r := &Response{StatusCode: 404} - if !r.HasServerFailure() { - t.Error("404 is a failure") +func TestIsNotAuthorized(t *testing.T) { + scenarios := map[int]bool{ + 200: false, + 401: true, + 403: false, + } + + for input, expected := range scenarios { + r := &Response{StatusCode: input} + actual := r.IsNotAuthorized() + + if actual != expected { + t.Errorf(`Unexpected result, got %v instead of %v for status code %d`, actual, expected, input) + } } } -func TestHasServerFailureWith500Status(t *testing.T) { - r := &Response{StatusCode: 500} - if !r.HasServerFailure() { - t.Error("500 is a failure") +func TestHasServerFailure(t *testing.T) { + scenarios := map[int]bool{ + 200: false, + 404: true, + 500: true, + } + + for input, expected := range scenarios { + r := &Response{StatusCode: input} + actual := r.HasServerFailure() + + if actual != expected { + t.Errorf(`Unexpected result, got %v instead of %v for status code %d`, actual, expected, input) + } } } @@ -54,3 +90,57 @@ func TestIsModifiedWithDifferentHeaders(t *testing.T) { t.Error("The resource should be considered modified") } } + +func TestToString(t *testing.T) { + input := `test` + r := &Response{Body: strings.NewReader(input)} + + if r.String() != input { + t.Error(`Unexpected ouput`) + } +} + +func TestEnsureUnicodeWithHTMLDocuments(t *testing.T) { + var unicodeTestCases = []struct { + filename, contentType string + convertedToUnicode bool + }{ + {"HTTP-charset.html", "text/html; charset=iso-8859-15", true}, + {"UTF-16LE-BOM.html", "", true}, + {"UTF-16BE-BOM.html", "", true}, + {"meta-content-attribute.html", "text/html", true}, + {"meta-charset-attribute.html", "text/html", true}, + {"No-encoding-declaration.html", "text/html", true}, + {"HTTP-vs-UTF-8-BOM.html", "text/html; charset=iso-8859-15", true}, + {"HTTP-vs-meta-content.html", "text/html; charset=iso-8859-15", true}, + {"HTTP-vs-meta-charset.html", "text/html; charset=iso-8859-15", true}, + {"UTF-8-BOM-vs-meta-content.html", "text/html", true}, + {"UTF-8-BOM-vs-meta-charset.html", "text/html", true}, + {"windows_1251.html", "text/html; charset=windows-1251", true}, + {"gb2312.html", "text/html", true}, + {"urdu.xml", "text/xml; charset=utf-8", true}, + {"content-type-only-win-8859-1.xml", "application/xml; charset=ISO-8859-1", true}, + {"rdf_utf8.xml", "application/rss+xml; charset=utf-8", true}, + {"charset-content-type-xml-iso88591.xml", "application/rss+xml; charset=ISO-8859-1", false}, + {"windows_1251.xml", "text/xml", false}, + } + + for _, tc := range unicodeTestCases { + content, err := ioutil.ReadFile("testdata/" + tc.filename) + if err != nil { + t.Fatalf(`Unable to read file %q: %v`, tc.filename, err) + } + + r := &Response{Body: bytes.NewReader(content), ContentType: tc.contentType} + parseErr := r.EnsureUnicodeBody() + if parseErr != nil { + t.Fatalf(`Unicode conversion error for %q - %q: %v`, tc.filename, tc.contentType, err) + } + + isUnicode := utf8.ValidString(r.String()) + if isUnicode != tc.convertedToUnicode { + t.Errorf(`Unicode conversion %q - %q, got: %v, expected: %v`, + tc.filename, tc.contentType, isUnicode, tc.convertedToUnicode) + } + } +} diff --git a/http/client/testdata/HTTP-charset.html b/http/client/testdata/HTTP-charset.html new file mode 100644 index 0000000..9915fa0 --- /dev/null +++ b/http/client/testdata/HTTP-charset.html @@ -0,0 +1,48 @@ + + + + HTTP charset + + + + + + + + + + + +

HTTP charset

+ + +
+ + +
 
+ + + + + +
+

The character encoding of a page can be set using the HTTP header charset declaration.

+

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ÜÀÚ. This matches the sequence of bytes above when they are interpreted as ISO 8859-15. If the class name matches the selector then the test will pass.

The only character encoding declaration for this HTML file is in the HTTP header, which sets the encoding to ISO 8859-15.

+
+
+
Next test
HTML5
+

the-input-byte-stream-001
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/HTTP-vs-UTF-8-BOM.html b/http/client/testdata/HTTP-vs-UTF-8-BOM.html new file mode 100644 index 0000000..26e5d8b --- /dev/null +++ b/http/client/testdata/HTTP-vs-UTF-8-BOM.html @@ -0,0 +1,48 @@ + + + + HTTP vs UTF-8 BOM + + + + + + + + + + + +

HTTP vs UTF-8 BOM

+ + +
+ + +
 
+ + + + + +
+

A character encoding set in the HTTP header has lower precedence than the UTF-8 signature.

+

The HTTP header attempts to set the character encoding to ISO 8859-15. The page starts with a UTF-8 signature.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ýäè. This matches the sequence of bytes above when they are interpreted as UTF-8. If the class name matches the selector then the test will pass.

If the test is unsuccessful, the characters  should appear at the top of the page. These represent the bytes that make up the UTF-8 signature when encountered in the ISO 8859-15 encoding.

+
+
+
Next test
HTML5
+

the-input-byte-stream-034
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/HTTP-vs-meta-charset.html b/http/client/testdata/HTTP-vs-meta-charset.html new file mode 100644 index 0000000..2f07e95 --- /dev/null +++ b/http/client/testdata/HTTP-vs-meta-charset.html @@ -0,0 +1,49 @@ + + + + HTTP vs meta charset + + + + + + + + + + + +

HTTP vs meta charset

+ + +
+ + +
 
+ + + + + +
+

The HTTP header has a higher precedence than an encoding declaration in a meta charset attribute.

+

The HTTP header attempts to set the character encoding to ISO 8859-15. The page contains an encoding declaration in a meta charset attribute that attempts to set the character encoding to ISO 8859-1.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ÜÀÚ. This matches the sequence of bytes above when they are interpreted as ISO 8859-15. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-018
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/HTTP-vs-meta-content.html b/http/client/testdata/HTTP-vs-meta-content.html new file mode 100644 index 0000000..6853cdd --- /dev/null +++ b/http/client/testdata/HTTP-vs-meta-content.html @@ -0,0 +1,49 @@ + + + + HTTP vs meta content + + + + + + + + + + + +

HTTP vs meta content

+ + +
+ + +
 
+ + + + + +
+

The HTTP header has a higher precedence than an encoding declaration in a meta content attribute.

+

The HTTP header attempts to set the character encoding to ISO 8859-15. The page contains an encoding declaration in a meta content attribute that attempts to set the character encoding to ISO 8859-1.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ÜÀÚ. This matches the sequence of bytes above when they are interpreted as ISO 8859-15. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-016
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/No-encoding-declaration.html b/http/client/testdata/No-encoding-declaration.html new file mode 100644 index 0000000..612e26c --- /dev/null +++ b/http/client/testdata/No-encoding-declaration.html @@ -0,0 +1,47 @@ + + + + No encoding declaration + + + + + + + + + + + +

No encoding declaration

+ + +
+ + +
 
+ + + + + +
+

A page with no encoding information in HTTP, BOM, XML declaration or meta element will be treated as UTF-8.

+

The test on this page contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ýäè. This matches the sequence of bytes above when they are interpreted as UTF-8. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-015
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/README b/http/client/testdata/README new file mode 100644 index 0000000..38ef0f9 --- /dev/null +++ b/http/client/testdata/README @@ -0,0 +1,9 @@ +These test cases come from +http://www.w3.org/International/tests/repository/html5/the-input-byte-stream/results-basics + +Distributed under both the W3C Test Suite License +(http://www.w3.org/Consortium/Legal/2008/04-testsuite-license) +and the W3C 3-clause BSD License +(http://www.w3.org/Consortium/Legal/2008/03-bsd-license). +To contribute to a W3C Test Suite, see the policies and contribution +forms (http://www.w3.org/2004/10/27-testcases). diff --git a/http/client/testdata/UTF-16BE-BOM.html b/http/client/testdata/UTF-16BE-BOM.html new file mode 100644 index 0000000..3abf7a9 Binary files /dev/null and b/http/client/testdata/UTF-16BE-BOM.html differ diff --git a/http/client/testdata/UTF-16LE-BOM.html b/http/client/testdata/UTF-16LE-BOM.html new file mode 100644 index 0000000..76254c9 Binary files /dev/null and b/http/client/testdata/UTF-16LE-BOM.html differ diff --git a/http/client/testdata/UTF-8-BOM-vs-meta-charset.html b/http/client/testdata/UTF-8-BOM-vs-meta-charset.html new file mode 100644 index 0000000..83de433 --- /dev/null +++ b/http/client/testdata/UTF-8-BOM-vs-meta-charset.html @@ -0,0 +1,49 @@ + + + + UTF-8 BOM vs meta charset + + + + + + + + + + + +

UTF-8 BOM vs meta charset

+ + +
+ + +
 
+ + + + + +
+

A page with a UTF-8 BOM will be recognized as UTF-8 even if the meta charset attribute declares a different encoding.

+

The page contains an encoding declaration in a meta charset attribute that attempts to set the character encoding to ISO 8859-15, but the file starts with a UTF-8 signature.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ýäè. This matches the sequence of bytes above when they are interpreted as UTF-8. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-038
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/UTF-8-BOM-vs-meta-content.html b/http/client/testdata/UTF-8-BOM-vs-meta-content.html new file mode 100644 index 0000000..501aac2 --- /dev/null +++ b/http/client/testdata/UTF-8-BOM-vs-meta-content.html @@ -0,0 +1,48 @@ + + + + UTF-8 BOM vs meta content + + + + + + + + + + + +

UTF-8 BOM vs meta content

+ + +
+ + +
 
+ + + + + +
+

A page with a UTF-8 BOM will be recognized as UTF-8 even if the meta content attribute declares a different encoding.

+

The page contains an encoding declaration in a meta content attribute that attempts to set the character encoding to ISO 8859-15, but the file starts with a UTF-8 signature.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ýäè. This matches the sequence of bytes above when they are interpreted as UTF-8. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-037
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/charset-content-type-xml-iso88591.xml b/http/client/testdata/charset-content-type-xml-iso88591.xml new file mode 100644 index 0000000..bbba7aa --- /dev/null +++ b/http/client/testdata/charset-content-type-xml-iso88591.xml @@ -0,0 +1,422 @@ + + + + + Golem.de + IT-News fuer Profis + https://www.golem.de/ + + Sun, 28 Oct 2018 13:49:01 +0100 + FeedCreator 1.6 + + https://www.golem.de/staticrl/images/golem-rss.png + Golem.de + https://www.golem.de/ + Golem.de News Feed + + de + + + Red Dead Redemption 2: Hinweise auf PC-Umsetzung in App von Rockstar Games + https://www.golem.de/news/red-dead-redemption-2-hinweise-auf-pc-umsetzung-in-app-von-rockstar-games-1810-137358-rss.html + Viele Spieler wnschen sich eine PC-Version von Red Dead Redemption 2, aber Entwickler Rockstar Games schweigt zu dem Thema. Anders die offizielle Companion App: In einigen ihrer Daten gibt es Hinweise auf die Umsetzung. (<a href="https://www.golem.de/specials/red-dead-redemption-2/">Red Dead Redemption 2</a>, <a href="https://www.golem.de/specials/red-dead-redemption/">Red Dead Redemption</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137358&amp;page=1&amp;ts=1540730880" alt="" width="1" height="1" /> + Sun, 28 Oct 2018 13:48:00 +0100 + https://www.golem.de/1810/137358-rss.html + Viele Spieler wnschen sich eine PC-Version von Red Dead Redemption 2, aber Entwickler Rockstar Games schweigt zu dem Thema. Anders die offizielle Companion App: In einigen ihrer Daten gibt es Hinweise auf die Umsetzung. (Red Dead Redemption 2, Red Dead Redemption) ]]> + + + + Let's Play: Twitch will Streamer zusammen spielen und singen lassen + https://www.golem.de/news/let-s-play-twitch-will-streamer-zusammen-spielen-und-singen-lassen-1810-137357-rss.html + Der Streamingdienst Twitch hat auf seiner Hausmesse neue Funktionen fr Kanalbetreiber und Zuschauer vorgestellt. Unter anderem soll es knftig bertragungen mit bis zu vier Spielern geben - und Singwettbewerbe. (<a href="https://www.golem.de/specials/twitch/">Twitch</a>, <a href="https://www.golem.de/specials/amazon/">Amazon</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137357&amp;page=1&amp;ts=1540728000" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/games/let-s-play-twitch-will-streamer-zusammen-spielen-und-singen-lassen/121579,list.html + Sun, 28 Oct 2018 13:00:00 +0100 + https://www.golem.de/1810/137357-rss.html + Der Streamingdienst Twitch hat auf seiner Hausmesse neue Funktionen fr Kanalbetreiber und Zuschauer vorgestellt. Unter anderem soll es knftig bertragungen mit bis zu vier Spielern geben - und Singwettbewerbe. (Twitch, Amazon) ]]> + + + + Zhuque-1: Erste private chinesische Satellitenmission fehlgeschlagen + https://www.golem.de/news/zhuque-1-erste-private-chinesische-satellitenmission-fehlgeschlagen-1810-137356-rss.html + Die Zhuque-1 hat es nicht in den Orbit geschafft: Beim Znden der dritten Raketenstufe kam es zu Problemen. Bei einem Erfolg wre der Hersteller Landspace das erste von rund 60 kommerziellen chinesischen Unternehmen gewesen, das einen Satelliten ins All gebracht htte. (<a href="https://www.golem.de/specials/raumfahrt/">Raumfahrt</a>, <a href="https://www.golem.de/specials/internet/">Internet</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137356&amp;page=1&amp;ts=1540722420" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/internet/zhuque-1-erste-private-chinesische-satellitenmission-fehlgeschlagen/121578,list.html + Sun, 28 Oct 2018 11:27:00 +0100 + https://www.golem.de/1810/137356-rss.html + Die Zhuque-1 hat es nicht in den Orbit geschafft: Beim Znden der dritten Raketenstufe kam es zu Problemen. Bei einem Erfolg wre der Hersteller Landspace das erste von rund 60 kommerziellen chinesischen Unternehmen gewesen, das einen Satelliten ins All gebracht htte. (Raumfahrt, Internet) ]]> + 1 + + + City Transformer: Startup entwickelt faltbares Elektroauto gegen Parkplatznot + https://www.golem.de/news/city-transformer-startup-entwickelt-faltbares-elektroauto-gegen-parkplatznot-1810-137355-rss.html + Es passt fast in jede Parklcke: Ein Faltauto des Startups City Transformer soll Stdtern knftig das Leben erleichtern. Das innovative Fahrzeug wird zusammen mit Yamaha entwickelt. Vorbestellungen sollen voraussichtlich ab 2020 mglich sein, mehrere Versionen sind geplant. (<a href="https://www.golem.de/specials/elektromobilitaet/">Elektromobilitt</a>, <a href="https://www.golem.de/specials/elektroauto/">Elektroauto</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137355&amp;page=1&amp;ts=1540721400" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/automobil/city-transformer-startup-entwickelt-faltbares-elektroauto-gegen-parkplatznot/121577,list.html + Sun, 28 Oct 2018 11:10:00 +0100 + https://www.golem.de/1810/137355-rss.html + Es passt fast in jede Parklcke: Ein Faltauto des Startups City Transformer soll Stdtern knftig das Leben erleichtern. Das innovative Fahrzeug wird zusammen mit Yamaha entwickelt. Vorbestellungen sollen voraussichtlich ab 2020 mglich sein, mehrere Versionen sind geplant. (Elektromobilitt, Elektroauto) ]]> + 37 + + + Machine Learning: Von KI erstelltes Portrt fr 432.500 US.Dollar versteigert + https://www.golem.de/news/machine-learning-von-ki-erstelltes-portraet-fuer-432-500-us-dollar-versteigert-1810-137353-rss.html + Kann Software Kunst erstellen? Eine erfolgreiche Auktion beweist, dass es zumindest Abnehmer dafr gibt. Allerdings hat sich das Entwicklerteam Obvious wohl stark bei anderen KI-Systemen bedient. (<a href="https://www.golem.de/specials/neuronalesnetzwerk/">Neuronales Netzwerk</a>, <a href="https://www.golem.de/specials/ki/">KI</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137353&amp;page=1&amp;ts=1540643580" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/applikationen/machine-learning-von-ki-erstelltes-portraet-fuer-432.500-us.dollar-versteigert/121575,list.html + Sat, 27 Oct 2018 13:33:00 +0100 + https://www.golem.de/1810/137353-rss.html + Kann Software Kunst erstellen? Eine erfolgreiche Auktion beweist, dass es zumindest Abnehmer dafr gibt. Allerdings hat sich das Entwicklerteam Obvious wohl stark bei anderen KI-Systemen bedient. (Neuronales Netzwerk, KI) ]]> + 31 + + + Projekt Jedi: Microsoft will weiter mit US-Militr zusammenarbeiten + https://www.golem.de/news/project-jedi-microsoft-will-weiter-mit-us-militaer-zusammenarbeiten-1810-137352-rss.html + In einem Blogbeitrag hat sich Microsoft-Prsident Brad Smith zur Zusammenarbeit mit dem US-Verteidigungsministerium bekannt. Mitarbeiter, die nicht an derartigen Projekten arbeiten wollen, sollen in andere Bereiche des Unternehmens wechseln knnen. (<a href="https://www.golem.de/specials/microsoft/">Microsoft</a>, <a href="https://www.golem.de/specials/google/">Google</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137352&amp;page=1&amp;ts=1540641780" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/internet/projekt-jedi-microsoft-will-weiter-mit-us-militaer-zusammenarbeiten/121574,list.html + Sat, 27 Oct 2018 13:03:00 +0100 + https://www.golem.de/1810/137352-rss.html + In einem Blogbeitrag hat sich Microsoft-Prsident Brad Smith zur Zusammenarbeit mit dem US-Verteidigungsministerium bekannt. Mitarbeiter, die nicht an derartigen Projekten arbeiten wollen, sollen in andere Bereiche des Unternehmens wechseln knnen. (Microsoft, Google) ]]> + 21 + + + Star Wars: Boba-Fett-Film ist "zu 100 Prozent tot" + https://www.golem.de/news/star-wars-boba-fett-film-ist-zu-100-prozent-tot-1810-137351-rss.html + Es wird wohl doch keinen dritten Star-Wars-Ableger geben, der sich um den kultigen Kopfgeldjger Boba Fett dreht. Das wird laut einem Medienbericht teils auf den geringen Erfolg des Han-Solo-Films zurckgefhrt. Stattdessen soll ein bisher unbekannter Charakter in einer Serie die mandalorianische Rstung anziehen. (<a href="https://www.golem.de/specials/star-wars/">Star Wars</a>, <a href="https://www.golem.de/specials/film/">Film</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137351&amp;page=1&amp;ts=1540639620" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/audio-video/star-wars-boba-fett-film-ist-zu-100-prozent-tot/121573,list.html + Sat, 27 Oct 2018 12:27:00 +0100 + https://www.golem.de/1810/137351-rss.html + Es wird wohl doch keinen dritten Star-Wars-Ableger geben, der sich um den kultigen Kopfgeldjger Boba Fett dreht. Das wird laut einem Medienbericht teils auf den geringen Erfolg des Han-Solo-Films zurckgefhrt. Stattdessen soll ein bisher unbekannter Charakter in einer Serie die mandalorianische Rstung anziehen. (Star Wars, Film) ]]> + 148 + + + Lenovo: Fehlerhafte Bios-Einstellung macht Thinkpads unbrauchbar + https://www.golem.de/news/lenovo-fehlerhafte-bios-einstellung-macht-thinkpads-unbrauchbar-1810-137350-rss.html + Die Bios-Untersttzung fr Thunderbolt bei Thinkpads zu aktivieren, ist derzeit keine gute Idee: Mehrere Nutzer berichten von nicht mehr startenden Notebooks, nachdem sie diese Funktion aktiviert haben. Das konnte auf diversen Linux-Distributionen, aber auch mit Windows 10 repliziert werden. (<a href="https://www.golem.de/specials/lenovo/">Lenovo</a>, <a href="https://www.golem.de/specials/business-notebooks/">Business-Notebooks</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137350&amp;page=1&amp;ts=1540633200" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/applikationen/lenovo-fehlerhafte-bios-einstellung-macht-thinkpads-unbrauchbar/121572,list.html + Sat, 27 Oct 2018 10:40:00 +0100 + https://www.golem.de/1810/137350-rss.html + Die Bios-Untersttzung fr Thunderbolt bei Thinkpads zu aktivieren, ist derzeit keine gute Idee: Mehrere Nutzer berichten von nicht mehr startenden Notebooks, nachdem sie diese Funktion aktiviert haben. Das konnte auf diversen Linux-Distributionen, aber auch mit Windows 10 repliziert werden. (Lenovo, Business-Notebooks) ]]> + 16 + + + Wochenrckblick: Wilder Westen, buntes Handy, nutzloses Siegel + https://www.golem.de/news/wochenrueckblick-wilder-westen-buntes-handy-nutzloses-siegel-1810-137318-rss.html + Wir testen das iPhone Xr, sind ein Revolverheld und entdecken wieder Sicherheitslcken. Sieben Tage und viele Meldungen im berblick. (<a href="https://www.golem.de/specials/golemwochenrueckblick/">Golem-Wochenrckblick</a>, <a href="https://www.golem.de/specials/business-notebooks/">Business-Notebooks</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137318&amp;page=1&amp;ts=1540623720" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/politik-recht/wochenrueckblick-wilder-westen-buntes-handy-nutzloses-siegel/121571,list.html + Sat, 27 Oct 2018 08:02:00 +0100 + https://www.golem.de/1810/137318-rss.html + Wir testen das iPhone Xr, sind ein Revolverheld und entdecken wieder Sicherheitslcken. Sieben Tage und viele Meldungen im berblick. (Golem-Wochenrckblick, Business-Notebooks) ]]> + + + + Fernsehen: 5G-Netz wird so wichtig wie Strom und Wasser + https://www.golem.de/news/fernsehen-5g-netz-wird-so-wichtig-wie-strom-und-wasser-1810-137349-rss.html + Ein 5G-FeMBMS-Sendernetz fr die Fernsehverbreitung sorgt fr Aufsehen, noch bevor man wei, ob es funktioniert. Wie Rundfunkbertragung und Mobilfunk zusammenkommen knnen, wurde auf den Medientagen Mnchen besprochen. (<a href="https://www.golem.de/specials/fernsehen/">Fernsehen</a>, <a href="https://www.golem.de/specials/technologie/">Technologie</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137349&amp;page=1&amp;ts=1540572960" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/handy/fernsehen-5g-netz-wird-so-wichtig-wie-strom-und-wasser/121570,list.html + Fri, 26 Oct 2018 17:56:00 +0100 + https://www.golem.de/1810/137349-rss.html + Ein 5G-FeMBMS-Sendernetz fr die Fernsehverbreitung sorgt fr Aufsehen, noch bevor man wei, ob es funktioniert. Wie Rundfunkbertragung und Mobilfunk zusammenkommen knnen, wurde auf den Medientagen Mnchen besprochen. (Fernsehen, Technologie) ]]> + 25 + + + Linux und BSD: Sicherheitslcke in X.org ermglicht Root-Rechte + https://www.golem.de/news/linux-und-bsd-sicherheitsluecke-in-x-org-ermoeglicht-root-rechte-1810-137347-rss.html + Eine Sicherheitslcke im Displayserver X.org erlaubt unter bestimmten Umstnden das berschreiben von Dateien und das Ausweiten der Benutzerrechte. Der passende Exploit passt in einen Tweet. (<a href="https://www.golem.de/specials/sicherheitsluecke/">Sicherheitslcke</a>, <a href="https://www.golem.de/specials/openbsd/">OpenBSD</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137347&amp;page=1&amp;ts=1540564620" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/linux-und-bsd-sicherheitsluecke-in-x.org-ermoeglicht-root-rechte/121569,list.html + Fri, 26 Oct 2018 15:37:00 +0100 + https://www.golem.de/1810/137347-rss.html + Eine Sicherheitslcke im Displayserver X.org erlaubt unter bestimmten Umstnden das berschreiben von Dateien und das Ausweiten der Benutzerrechte. Der passende Exploit passt in einen Tweet. (Sicherheitslcke, OpenBSD) ]]> + 47 + + + Augsburg: Fujitsu Deutschland macht alles dicht + https://www.golem.de/news/augsburg-fujitsu-deutschland-macht-alles-dicht-1810-137348-rss.html + Fujitsu will seine gesamte Fertigung auerhalb Japans schlieen. In Deutschland ist der Standort in Augsburg komplett betroffen. (<a href="https://www.golem.de/specials/fujitsu/">Fujitsu</a>, <a href="https://www.golem.de/specials/sap/">SAP</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137348&amp;page=1&amp;ts=1540562340" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wirtschaft/augsburg-fujitsu-deutschland-macht-alles-dicht/121568,list.html + Fri, 26 Oct 2018 14:59:00 +0100 + https://www.golem.de/1810/137348-rss.html + Fujitsu will seine gesamte Fertigung auerhalb Japans schlieen. In Deutschland ist der Standort in Augsburg komplett betroffen. (Fujitsu, SAP) ]]> + 56 + + + Bundesnetzagentur: Seehofer fordert Verschiebung von 5G-Auktion + https://www.golem.de/news/bundesnetzagentur-seehofer-fordert-verschiebung-von-5g-auktion-1810-137346-rss.html + Bundesinnenminister Horst Seehofer will die 5G-Auktion verschieben, bis die lndlichen Regionen besser bercksichtigt werden. Er wird von einer Gruppe um den CDU-Abgeordneten Stefan Rouenhoff untersttzt. (<a href="https://www.golem.de/specials/5g/">5G</a>, <a href="https://www.golem.de/specials/bundesnetzagentur/">Bundesnetzagentur</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137346&amp;page=1&amp;ts=1540557900" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/handy/bundesnetzagentur-seehofer-fordert-verschiebung-von-5g-auktion/121567,list.html + Fri, 26 Oct 2018 13:45:00 +0100 + https://www.golem.de/1810/137346-rss.html + Bundesinnenminister Horst Seehofer will die 5G-Auktion verschieben, bis die lndlichen Regionen besser bercksichtigt werden. Er wird von einer Gruppe um den CDU-Abgeordneten Stefan Rouenhoff untersttzt. (5G, Bundesnetzagentur) ]]> + 14 + + + Linux und Patente: Open Source bei Microsoft ist "Kultur statt Strategie" + https://www.golem.de/news/linux-und-patente-open-source-bei-microsoft-ist-kultur-statt-strategie-1810-137345-rss.html + Der Microsoft-Angestellte Stephen Walli beschreibt den Wandel bei Microsoft hin zu Open Source Software und Linux als kulturell getrieben. Mit Blick auf den Beitritt zu dem Patentpool des Open Invention Network zeigt sich jedoch auch, dass das Unternehmen noch sehr viel Arbeit vor sich hat. Ein Bericht von Sebastian Grner (<a href="https://www.golem.de/specials/microsoft/">Microsoft</a>, <a href="https://www.golem.de/specials/softwarepatente/">Softwarepatent</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137345&amp;page=1&amp;ts=1540556820" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/politik-recht/linux-und-patente-open-source-bei-microsoft-ist-kultur-statt-strategie/121566,list.html + Fri, 26 Oct 2018 13:27:00 +0100 + https://www.golem.de/1810/137345-rss.html + Der Microsoft-Angestellte Stephen Walli beschreibt den Wandel bei Microsoft hin zu Open Source Software und Linux als kulturell getrieben. Mit Blick auf den Beitritt zu dem Patentpool des Open Invention Network zeigt sich jedoch auch, dass das Unternehmen noch sehr viel Arbeit vor sich hat. Ein Bericht von Sebastian Grner (Microsoft, Softwarepatent) ]]> + 20 + + + Sicherheitslcke: Daten von 185.000 weiteren British-Airways-Kunden betroffen + https://www.golem.de/news/sicherheitsluecke-daten-von-185-000-weiteren-british-airways-kunden-betroffen-1810-137344-rss.html + Von dem Datenleck im Buchungssystem von British Airways waren deutlich mehr Kunden betroffen als bisher bekannt. Die Fluggesellschaft rt betroffenen Kunden, ihre Bank zu kontaktieren. Kreditkarten werden in diesem Fall hufig komplett ausgetauscht. (<a href="https://www.golem.de/specials/sicherheitsluecke/">Sicherheitslcke</a>, <a href="https://www.golem.de/specials/datenschutz/">Datenschutz</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137344&amp;page=1&amp;ts=1540553820" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/sicherheitsluecke-daten-von-185.000-weiteren-british-airways-kunden-betroffen/121565,list.html + Fri, 26 Oct 2018 12:37:00 +0100 + https://www.golem.de/1810/137344-rss.html + Von dem Datenleck im Buchungssystem von British Airways waren deutlich mehr Kunden betroffen als bisher bekannt. Die Fluggesellschaft rt betroffenen Kunden, ihre Bank zu kontaktieren. Kreditkarten werden in diesem Fall hufig komplett ausgetauscht. (Sicherheitslcke, Datenschutz) ]]> + + + + iPhone Xr im Test: Apples gnstigeres iPhone ist nicht gnstig + https://www.golem.de/news/iphone-xr-im-test-apples-guenstiges-iphone-ist-nicht-guenstig-1810-137327-rss.html + Apple versucht es 2018 wieder einmal mit einem relativ preisgnstigen iPhone - weniger teuer als die Xs-Modelle, aber mit 850 Euro auch nicht gerade preiswert. Kufer bekommen dafr allerdings auch ein Smartphone mit sehr guter Ausstattung, in einigen Punkten wurde jedoch auf Hardware der teuren Modelle verzichtet. Ein Test von Tobias Kltzsch (<a href="https://www.golem.de/specials/iphone/">iPhone</a>, <a href="https://www.golem.de/specials/smartphone/">Smartphone</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137327&amp;page=1&amp;ts=1540548180" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/handy/iphone-xr-im-test-apples-guenstigeres-iphone-ist-nicht-guenstig/121563,list.html + Fri, 26 Oct 2018 11:03:00 +0100 + https://www.golem.de/1810/137327-rss.html + Apple versucht es 2018 wieder einmal mit einem relativ preisgnstigen iPhone - weniger teuer als die Xs-Modelle, aber mit 850 Euro auch nicht gerade preiswert. Kufer bekommen dafr allerdings auch ein Smartphone mit sehr guter Ausstattung, in einigen Punkten wurde jedoch auf Hardware der teuren Modelle verzichtet. Ein Test von Tobias Kltzsch (iPhone, Smartphone) ]]> + 169 + + + Microsoft: PC-Spieleangebot des Xbox Game Pass wird erweitert + https://www.golem.de/news/microsoft-pc-spieleangebot-des-xbox-game-pass-wird-erweitert-1810-137343-rss.html + Der Xbox Game Pass soll knftig um mehr Angebote fr Windows-PC erweitert werden, sagt Microsoft-Chef Satya Nadella. Derzeit gibt es fr 10 Euro nur wenige plattformbergreifend verfgbare Spiele. (<a href="https://www.golem.de/specials/xbox-one/">Xbox One</a>, <a href="https://www.golem.de/specials/microsoft/">Microsoft</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137343&amp;page=1&amp;ts=1540546800" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wirtschaft/microsoft-pc-spieleangebot-des-xbox-game-pass-wird-erweitert/121562,list.html + Fri, 26 Oct 2018 10:40:00 +0100 + https://www.golem.de/1810/137343-rss.html + Der Xbox Game Pass soll knftig um mehr Angebote fr Windows-PC erweitert werden, sagt Microsoft-Chef Satya Nadella. Derzeit gibt es fr 10 Euro nur wenige plattformbergreifend verfgbare Spiele. (Xbox One, Microsoft) ]]> + 19 + + + Breitbandgesellschaft: Grne wollen Netzbetreiber zum Ausbau zwingen + https://www.golem.de/news/breitbandgesellschaft-gruene-wollen-netzbetreiber-zum-ausbau-zwingen-1810-137342-rss.html + Die Grnen haben die Netzversorgung in Deutschland analysiert. Die Partei, die zurzeit in Whlerumfragen stark zugewinnt, fordert den Breitbandausbau auf Kosten der Konzerne und will Glasfaser staatlich durchsetzen. (<a href="https://www.golem.de/specials/breitband/">Breitband</a>, <a href="https://www.golem.de/specials/handy/">Handy</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137342&amp;page=1&amp;ts=1540545840" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/politik-recht/breitbandgesellschaft-gruene-wollen-netzbetreiber-zum-ausbau-zwingen/121561,list.html + Fri, 26 Oct 2018 10:24:00 +0100 + https://www.golem.de/1810/137342-rss.html + Die Grnen haben die Netzversorgung in Deutschland analysiert. Die Partei, die zurzeit in Whlerumfragen stark zugewinnt, fordert den Breitbandausbau auf Kosten der Konzerne und will Glasfaser staatlich durchsetzen. (Breitband, Handy) ]]> + 22 + + + Studie: Silicon Valley dient als rechte Hand des groen Bruders + https://www.golem.de/news/studie-silicon-valley-dient-als-rechte-hand-des-grossen-bruders-1810-137316-rss.html + Die US-Hightech-Branche verdingt sich zunehmend als technischer Dienstleister fr staatliche Big-Brother-Projekte wie die berwachung und Abschiebung von Immigranten, heit es in einem Bericht von Brgerrechtlern. Amazon und Palantir verdienten damit am meisten. Von Stefan Krempl (<a href="https://www.golem.de/specials/datenschutz/">Datenschutz</a>, <a href="https://www.golem.de/specials/ibm/">IBM</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137316&amp;page=1&amp;ts=1540543080" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/studie-silicon-valley-dient-als-rechte-hand-des-grossen-bruders/121560,list.html + Fri, 26 Oct 2018 09:38:00 +0100 + https://www.golem.de/1810/137316-rss.html + Die US-Hightech-Branche verdingt sich zunehmend als technischer Dienstleister fr staatliche Big-Brother-Projekte wie die berwachung und Abschiebung von Immigranten, heit es in einem Bericht von Brgerrechtlern. Amazon und Palantir verdienten damit am meisten. Von Stefan Krempl (Datenschutz, IBM) ]]> + 20 + + + Bethesda: Postnukleare PC-Systemanforderungen fr Fallout 76 + https://www.golem.de/news/bethesda-postnukleare-pc-systemanforderungen-fuer-fallout-76-1810-137340-rss.html + Kurz vor dem Start der Betaversion fr PC-Spieler hat Bethesda die Systemanforderung von Fallout 76 verffentlicht. Hoffnungen auf lange Abenteuer in der Vorabversion gibt es aber zumindest nach den Erfahrungen des Xbox-Zugangs eher nicht. (<a href="https://www.golem.de/specials/fallout-76/">Fallout 76</a>, <a href="https://www.golem.de/specials/rollenspiel/">Rollenspiel</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137340&amp;page=1&amp;ts=1540542180" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/games/bethesda-postnukleare-pc-systemanforderungen-fuer-fallout-76/121559,list.html + Fri, 26 Oct 2018 09:23:00 +0100 + https://www.golem.de/1810/137340-rss.html + Kurz vor dem Start der Betaversion fr PC-Spieler hat Bethesda die Systemanforderung von Fallout 76 verffentlicht. Hoffnungen auf lange Abenteuer in der Vorabversion gibt es aber zumindest nach den Erfahrungen des Xbox-Zugangs eher nicht. (Fallout 76, Rollenspiel) ]]> + 101 + + + Quartalszahlen: Intel legt 19-Milliarden-USD-Rekord vor + https://www.golem.de/news/quartalszahlen-intel-legt-19-milliarden-usd-rekord-vor-1810-137339-rss.html + Ungeachtet der 14-nm-Knappheit und diverser Sicherheitslcken konnte Intel im dritten Quartal 2018 mehr Umsatz erwirtschaften und mehr Gewinn erzielen als jemals zuvor. Vor allem das florierende Server-Geschft wird bei Intel immer wichtiger. (<a href="https://www.golem.de/specials/intel/">Intel</a>, <a href="https://www.golem.de/specials/cpu/">Prozessor</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137339&amp;page=1&amp;ts=1540540260" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wirtschaft/quartalszahlen-intel-legt-19-milliarden-usd-rekord-vor/121558,list.html + Fri, 26 Oct 2018 08:51:00 +0100 + https://www.golem.de/1810/137339-rss.html + Ungeachtet der 14-nm-Knappheit und diverser Sicherheitslcken konnte Intel im dritten Quartal 2018 mehr Umsatz erwirtschaften und mehr Gewinn erzielen als jemals zuvor. Vor allem das florierende Server-Geschft wird bei Intel immer wichtiger. (Intel, Prozessor) ]]> + 10 + + + Physik: Weg mit der Schnheit! + https://www.golem.de/news/physik-weg-mit-der-schoenheit-1810-137161-rss.html + Ist eine Theorie richtig, nur weil sie schn ist? Nein, sagt Sabine Hossenfelder. In ihrem Buch "Das hssliche Universum" zeigt die theoretische Physikerin, wie das Schnheitsdenken die Wissenschaft lhmt und erklrt dabei recht unterhaltsam die unterschiedlichen Theorien und Modelle der Teilchenphysik. Eine Rezension von Friedemann Zweynert (<a href="https://www.golem.de/specials/physik/">Physik</a>, <a href="https://www.golem.de/specials/internet/">Internet</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137161&amp;page=1&amp;ts=1540537380" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/internet/physik-weg-mit-der-schoenheit/121557,list.html + Fri, 26 Oct 2018 08:03:00 +0100 + https://www.golem.de/1810/137161-rss.html + Ist eine Theorie richtig, nur weil sie schn ist? Nein, sagt Sabine Hossenfelder. In ihrem Buch "Das hssliche Universum" zeigt die theoretische Physikerin, wie das Schnheitsdenken die Wissenschaft lhmt und erklrt dabei recht unterhaltsam die unterschiedlichen Theorien und Modelle der Teilchenphysik. Eine Rezension von Friedemann Zweynert (Physik, Internet) ]]> + 86 + + + Elon Musk: Teslas Model 3 fr 35.000 US-Dollar derzeit unmglich + https://www.golem.de/news/elon-musk-teslas-model-3-fuer-35-000-us-dollar-derzeit-unmoeglich-1810-137335-rss.html + Tesla-Chef Elon Musk hat eingerumt, das bei 35.000 US-Dollar startende Basismodell des Elektroautos Model 3 immer noch nicht liefern zu knnen. (<a href="https://www.golem.de/specials/tesla-model-3/">Tesla Model 3</a>, <a href="https://www.golem.de/specials/technologie/">Technologie</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137335&amp;page=1&amp;ts=1540533540" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/automobil/elon-musk-teslas-model-3-fuer-35.000-us-dollar-derzeit-unmoeglich/121556,list.html + Fri, 26 Oct 2018 06:59:00 +0100 + https://www.golem.de/1810/137335-rss.html + Tesla-Chef Elon Musk hat eingerumt, das bei 35.000 US-Dollar startende Basismodell des Elektroautos Model 3 immer noch nicht liefern zu knnen. (Tesla Model 3, Technologie) ]]> + 235 + + + Solarzellen als Dach: Tesla-Solarschindeln verzgern sich bis 2019 + https://www.golem.de/news/solarzellen-als-dach-tesla-solarschindeln-verzoegern-sich-auf-2019-1810-137334-rss.html + Tesla wird die Serienproduktion seiner Solardachziegel nicht mehr wie geplant in diesem Jahr starten. Nach Angaben von Firmenchef Elon Musk verschiebt sich das Vorhaben auf 2019. (<a href="https://www.golem.de/specials/solarenergie/">Solarenergie</a>, <a href="https://www.golem.de/specials/technologie/">Technologie</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137334&amp;page=1&amp;ts=1540532460" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wissenschaft/solarzellen-als-dach-tesla-solarschindeln-verzoegern-sich-bis-2019/121555,list.html + Fri, 26 Oct 2018 06:41:00 +0100 + https://www.golem.de/1810/137334-rss.html + Tesla wird die Serienproduktion seiner Solardachziegel nicht mehr wie geplant in diesem Jahr starten. Nach Angaben von Firmenchef Elon Musk verschiebt sich das Vorhaben auf 2019. (Solarenergie, Technologie) ]]> + 47 + + + Uniti One: Elektroauto fr 15.000 Euro wird in Grobritannien gebaut + https://www.golem.de/news/uniti-one-elektroauto-fuer-15-000-euro-wird-in-grossbritannien-gebaut-1810-137333-rss.html + Das schwedische Unternehmen Uniti will sein Elektroauto One in Grobritannien bauen. Einen fahrenden Prototyp des Uniti One gibt es schon. Das Auto soll je nach Modell fr 15.000 bis 20.000 Euro auf den Markt kommen. (<a href="https://www.golem.de/specials/elektroauto/">Elektroauto</a>, <a href="https://www.golem.de/specials/technologie/">Technologie</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137333&amp;page=1&amp;ts=1540531080" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/automobil/uniti-one-elektroauto-fuer-15.000-euro-wird-in-grossbritannien-gebaut/121554,list.html + Fri, 26 Oct 2018 06:18:00 +0100 + https://www.golem.de/1810/137333-rss.html + Das schwedische Unternehmen Uniti will sein Elektroauto One in Grobritannien bauen. Einen fahrenden Prototyp des Uniti One gibt es schon. Das Auto soll je nach Modell fr 15.000 bis 20.000 Euro auf den Markt kommen. (Elektroauto, Technologie) ]]> + 28 + + + Quartalsbericht: Alphabet macht in drei Monaten 9,2 Milliarden Dollar Gewinn + https://www.golem.de/news/quartalsbericht-alphabet-macht-in-drei-monaten-9-2-milliarden-dollar-gewinn-1810-137337-rss.html + Alphabet erwirtschaftet weiter extrem hohe Gewinne, der Umsatz wchst nicht ganz so stark. Google muss zugleich auf eine Enthllung in der US-Presse zu sexueller Belstigung um Android-Begrnder Andy Rubin reagieren. (<a href="https://www.golem.de/specials/google/">Google</a>, <a href="https://www.golem.de/specials/boerse/">Brse</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137337&amp;page=1&amp;ts=1540504320" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wirtschaft/quartalsbericht-alphabet-macht-in-drei-monaten-9-2-milliarden-dollar-gewinn/121553,list.html + Thu, 25 Oct 2018 22:52:00 +0100 + https://www.golem.de/1810/137337-rss.html + Alphabet erwirtschaftet weiter extrem hohe Gewinne, der Umsatz wchst nicht ganz so stark. Google muss zugleich auf eine Enthllung in der US-Presse zu sexueller Belstigung um Android-Begrnder Andy Rubin reagieren. (Google, Brse) ]]> + 12 + + + Quartalsbericht: Amazon verfehlt die Umsatzprognosen + https://www.golem.de/news/quartalsbericht-amazon-verfehlt-die-umsatzprognosen-1810-137336-rss.html + Amazon weist erneut einen hohen Gewinn aus. Doch der Konzern lag beim Umsatz unter den Prognosen der Analysten. (<a href="https://www.golem.de/specials/amazon/">Amazon</a>, <a href="https://www.golem.de/specials/onlineshop/">Onlineshop</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137336&amp;page=1&amp;ts=1540500780" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wirtschaft/quartalsbericht-amazon-verfehlt-die-umsatzprognosen/121552,list.html + Thu, 25 Oct 2018 21:53:00 +0100 + https://www.golem.de/1810/137336-rss.html + Amazon weist erneut einen hohen Gewinn aus. Doch der Konzern lag beim Umsatz unter den Prognosen der Analysten. (Amazon, Onlineshop) ]]> + 24 + + + Datenskandal: Britische Datenschutzbehrde verurteilt Facebook + https://www.golem.de/news/datenskandal-britische-datenschutzbehoerde-verurteilt-facebook-1810-137332-rss.html + Im Skandal um Cambridge Analytica hat die britische Datenschutzbehrde die Hchststrafe von 500.000 Pfund verhngt. Facebook habe einen schweren Versto gegen geltendes Recht zugelassen. (<a href="https://www.golem.de/specials/facebook/">Facebook</a>, <a href="https://www.golem.de/specials/socialnetwork/">Soziales Netz</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137332&amp;page=1&amp;ts=1540483080" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/datenskandal-britische-datenschutzbehoerde-verurteilt-facebook/121550,list.html + Thu, 25 Oct 2018 16:58:00 +0100 + https://www.golem.de/1810/137332-rss.html + Im Skandal um Cambridge Analytica hat die britische Datenschutzbehrde die Hchststrafe von 500.000 Pfund verhngt. Facebook habe einen schweren Versto gegen geltendes Recht zugelassen. (Facebook, Soziales Netz) ]]> + 35 + + + Corsair: Neue K70 MK.2 kommt mit Cherrys Low-Profile-Switches + https://www.golem.de/news/corsair-neue-k70-mk-2-kommt-mit-cherrys-low-profile-switches-1810-137331-rss.html + Corsair erweitert sein Tastaturportefeuille um zwei Gaming-Tastaturen mit Cherrys flachen Low-Profile-Switches. Ein Modell hat Schalter mit einem besonders kurzem Auslseweg von 1 mm - die Schalter darf Corsair exklusiv verwenden. (<a href="https://www.golem.de/specials/corsair/">Corsair</a>, <a href="https://www.golem.de/specials/eingabegeraet/">Eingabegert</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137331&amp;page=1&amp;ts=1540480320" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/sonstiges/corsair-neue-k70-mk.2-kommt-mit-cherrys-low-profile-switches/121549,list.html + Thu, 25 Oct 2018 16:12:00 +0100 + https://www.golem.de/1810/137331-rss.html + Corsair erweitert sein Tastaturportefeuille um zwei Gaming-Tastaturen mit Cherrys flachen Low-Profile-Switches. Ein Modell hat Schalter mit einem besonders kurzem Auslseweg von 1 mm - die Schalter darf Corsair exklusiv verwenden. (Corsair, Eingabegert) ]]> + 19 + + + Cambridge-Analytica-Skandal: EU-Parlament fordert schrfere Kontrolle von Facebook + https://www.golem.de/news/cambridge-analytica-skandal-eu-parlament-fordert-schaerfere-kontrolle-von-facebook-1810-137329-rss.html + Die EU-Abgeordneten haben als Reaktion auf die Datenschutzverste von Facebook und Cambridge Analytica Behrden angehalten, ihre Aktivitten auf dem Netzwerk zu berdenken. Profiling zu politischen Zwecken wollen sie verbieten. Von Stefan Krempl (<a href="https://www.golem.de/specials/facebook/">Facebook</a>, <a href="https://www.golem.de/specials/socialnetwork/">Soziales Netz</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137329&amp;page=1&amp;ts=1540479120" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/cambridge-analytica-skandal-eu-parlament-fordert-schaerfere-kontrolle-von-facebook/121548,list.html + Thu, 25 Oct 2018 15:52:00 +0100 + https://www.golem.de/1810/137329-rss.html + Die EU-Abgeordneten haben als Reaktion auf die Datenschutzverste von Facebook und Cambridge Analytica Behrden angehalten, ihre Aktivitten auf dem Netzwerk zu berdenken. Profiling zu politischen Zwecken wollen sie verbieten. Von Stefan Krempl (Facebook, Soziales Netz) ]]> + 3 + + + Kuriosum: Das Hellgate London ffnet sich mal wieder + https://www.golem.de/news/kuriosum-das-hellgate-london-oeffnet-sich-mal-wieder-1810-137328-rss.html + Einer der groen Trash-Klassiker der Spielegeschichte wagt einen neuen Anlauf: Mitte November 2018 soll ein neue, fr Einzelspieler ausgelegte Windows-Fassung von Hellgate London erscheinen. Das Ursprungskonzept hatten sich ehemalige Blizzard-Chefentwickler ausgedacht. (<a href="https://www.golem.de/specials/rollenspiel/">Rollenspiel</a>, <a href="https://www.golem.de/specials/steam/">Steam</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137328&amp;page=1&amp;ts=1540476600" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/games/kuriosum-das-hellgate-london-oeffnet-sich-mal-wieder/121547,list.html + Thu, 25 Oct 2018 15:10:00 +0100 + https://www.golem.de/1810/137328-rss.html + Einer der groen Trash-Klassiker der Spielegeschichte wagt einen neuen Anlauf: Mitte November 2018 soll ein neue, fr Einzelspieler ausgelegte Windows-Fassung von Hellgate London erscheinen. Das Ursprungskonzept hatten sich ehemalige Blizzard-Chefentwickler ausgedacht. (Rollenspiel, Steam) ]]> + 61 + + + Tweether: 10 GBit/s ber einen Quadratkilometer verteilt + https://www.golem.de/news/tweether-10-gbit-s-ueber-einen-quadratkilometer-verteilt-1810-137326-rss.html + Eine neue Technologie verteilt 10 GBit/s ber eine groe Flche. Der erste Feldversuch ist erfolgreich verlaufen. Zum ersten Mal wurde ein stabiles drahtloses Netzwerk bei diesen Frequenzen und mit diesen Datenraten betrieben. (<a href="https://www.golem.de/specials/wissenschaft/">Wissenschaft</a>, <a href="https://www.golem.de/specials/mobil/">Mobil</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137326&amp;page=1&amp;ts=1540475400" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wissenschaft/tweether-10-gbit-s-ueber-einen-quadratkilometer-verteilt/121546,list.html + Thu, 25 Oct 2018 14:50:00 +0100 + https://www.golem.de/1810/137326-rss.html + Eine neue Technologie verteilt 10 GBit/s ber eine groe Flche. Der erste Feldversuch ist erfolgreich verlaufen. Zum ersten Mal wurde ein stabiles drahtloses Netzwerk bei diesen Frequenzen und mit diesen Datenraten betrieben. (Wissenschaft, Mobil) ]]> + 20 + + + Red Dead Redemption 2: Saloon-Prgelei (der Worte) im Livestream + https://www.golem.de/news/red-dead-redemption-2-saloon-pruegelei-der-worte-im-livestream-1810-137312-rss.html + Die Golem.de-Redakteure Peter Steinlechner und Michael Wieczorek diskutieren gemeinsam mit unserer Community ber den Test zu Red Dead Redemption 2 live ab 18 Uhr. (<a href="https://www.golem.de/specials/red-dead-redemption-2/">Red Dead Redemption 2</a>, <a href="https://www.golem.de/specials/spieletest/">Spieletest</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137312&amp;page=1&amp;ts=1540474200" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/games/red-dead-redemption-2-saloon-pruegelei-der-worte-im-livestream/121545,list.html + Thu, 25 Oct 2018 14:30:00 +0100 + https://www.golem.de/1810/137312-rss.html + Die Golem.de-Redakteure Peter Steinlechner und Michael Wieczorek diskutieren gemeinsam mit unserer Community ber den Test zu Red Dead Redemption 2 live ab 18 Uhr. (Red Dead Redemption 2, Spieletest) ]]> + + + + Wolf Intelligence: Trojanerfirma aus Deutschland lsst interne Daten im Netz + https://www.golem.de/news/wolf-intelligence-trojanerfirma-aus-deutschland-laesst-interne-daten-im-netz-1810-137323-rss.html + Wolf Intelligence verkauft Schadsoftware an Staaten. Eine Sicherheitsfirma hat sensible Daten des Unternehmens ffentlich zugnglich im Internet gefunden. In einer Prsentation wurden die Funde gezeigt. (<a href="https://www.golem.de/specials/trojaner/">Trojaner</a>, <a href="https://www.golem.de/specials/virus/">Virus</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137323&amp;page=1&amp;ts=1540472400" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/wolf-intelligence-trojanerfirma-aus-deutschland-laesst-interne-daten-im-netz/121543,list.html + Thu, 25 Oct 2018 14:00:00 +0100 + https://www.golem.de/1810/137323-rss.html + Wolf Intelligence verkauft Schadsoftware an Staaten. Eine Sicherheitsfirma hat sensible Daten des Unternehmens ffentlich zugnglich im Internet gefunden. In einer Prsentation wurden die Funde gezeigt. (Trojaner, Virus) ]]> + 16 + + + NBN: Der Top-Nutzer verwendet 24 TByte im Monat + https://www.golem.de/news/nbn-der-top-nutzer-verwendet-24-tbyte-im-monat-1810-137324-rss.html + Ein staatliches FTTH-Netzwerk fr fast alle in Australien bis 2017 war einst das Ziel. Doch davon ist beim (NBN) National Broadband Network nicht mehr viel brig geblieben. In Berlin wurde eine Zwischenbilanz gezogen. (<a href="https://www.golem.de/specials/festnetz/">Festnetz</a>, <a href="https://www.golem.de/specials/dsl/">DSL</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137324&amp;page=1&amp;ts=1540471380" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/internet/nbn-der-top-nutzer-verwendet-24-tbyte-im-monat/121542,list.html + Thu, 25 Oct 2018 13:43:00 +0100 + https://www.golem.de/1810/137324-rss.html + Ein staatliches FTTH-Netzwerk fr fast alle in Australien bis 2017 war einst das Ziel. Doch davon ist beim (NBN) National Broadband Network nicht mehr viel brig geblieben. In Berlin wurde eine Zwischenbilanz gezogen. (Festnetz, DSL) ]]> + 51 + + + Linux-Kernel: Mit Machine Learning auf der Suche nach Bug-Fixes + https://www.golem.de/news/linux-kernel-mit-machine-learning-auf-der-suche-nach-bug-fixes-1810-137321-rss.html + Wichtige Patches, die in stabilen Kernel-Versionen landen sollten, werden von der Linux-Community oft vergessen oder bersehen. Abhilfe schaffen soll offenbar Machine Learning, wie die Entwickler Sasha Levin und Julia Lawall erklren. (<a href="https://www.golem.de/specials/linux-kernel/">Linux-Kernel</a>, <a href="https://www.golem.de/specials/linux/">Linux</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137321&amp;page=1&amp;ts=1540468800" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/security/linux-kernel-mit-machine-learning-auf-der-suche-nach-bug-fixes/121541,list.html + Thu, 25 Oct 2018 13:00:00 +0100 + https://www.golem.de/1810/137321-rss.html + Wichtige Patches, die in stabilen Kernel-Versionen landen sollten, werden von der Linux-Community oft vergessen oder bersehen. Abhilfe schaffen soll offenbar Machine Learning, wie die Entwickler Sasha Levin und Julia Lawall erklren. (Linux-Kernel, Linux) ]]> + 4 + + + Quartalszahlen: AMDs Aktie gibt wegen miger Aussichten nach + https://www.golem.de/news/quartalszahlen-amds-aktie-gibt-wegen-maessiger-aussichten-nach-1810-137320-rss.html + Im dritten Quartal 2018 konnte AMD zwar Umsatz und Gewinn steigern, aber nicht so stark wie erwartet. Die Aktie brach dennoch von ber 25 US-Dollar auf 17 US-Dollar ein, da das vierte Quartal schlechter laufen wird als von den Anlegern gedacht - hier wurde zu viel erwartet. (<a href="https://www.golem.de/specials/amd/">AMD</a>, <a href="https://www.golem.de/specials/cpu/">Prozessor</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137320&amp;page=1&amp;ts=1540467600" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/wirtschaft/quartalszahlen-amds-aktie-gibt-wegen-maessiger-aussichten-nach/121540,list.html + Thu, 25 Oct 2018 12:40:00 +0100 + https://www.golem.de/1810/137320-rss.html + Im dritten Quartal 2018 konnte AMD zwar Umsatz und Gewinn steigern, aber nicht so stark wie erwartet. Die Aktie brach dennoch von ber 25 US-Dollar auf 17 US-Dollar ein, da das vierte Quartal schlechter laufen wird als von den Anlegern gedacht - hier wurde zu viel erwartet. (AMD, Prozessor) ]]> + 17 + + + Projekt Broadband: Bahn will 3,5 Milliarden Euro vom Bund fr Glasfasernetz + https://www.golem.de/news/projekt-broadband-bahn-will-3-5-milliarden-euro-vom-bund-fuer-glasfasernetz-1810-137322-rss.html + Die Plne fr das eigene Glasfasernetz der Deutschen Bahn werden konkret. ber die Finanzierung redet man jetzt mit der Regierung. Das Netz soll schnell gebaut werden. (<a href="https://www.golem.de/specials/deutsche-bahn/">Deutsche Bahn</a>, <a href="https://www.golem.de/specials/umts/">UMTS</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137322&amp;page=1&amp;ts=1540466580" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/internet/projekt-broadband-bahn-will-3-5-milliarden-euro-vom-bund-fuer-glasfasernetz/121539,list.html + Thu, 25 Oct 2018 12:23:00 +0100 + https://www.golem.de/1810/137322-rss.html + Die Plne fr das eigene Glasfasernetz der Deutschen Bahn werden konkret. ber die Finanzierung redet man jetzt mit der Regierung. Das Netz soll schnell gebaut werden. (Deutsche Bahn, UMTS) ]]> + 31 + + + Red Dead Redemption 2 im Test: Der Revolverhelden-Simulator + https://www.golem.de/news/red-dead-redemption-2-im-test-der-revolverhelden-simulator-1810-137304-rss.html + Reiten, prgeln, kochen, jagen, schieen, bse sein oder (relativ) brav: In Red Dead Redemption 2 gibt es enorme Mglichkeiten, sich als Revolverheld in einer wunderschnen Westernwelt auszuleben. Das Actionspiel von Rockstar Games ist ein groer Spa - aber nicht ganz so gut wie GTA 5. Von Peter Steinlechner (<a href="https://www.golem.de/specials/red-dead-redemption-2/">Red Dead Redemption 2</a>, <a href="https://www.golem.de/specials/spieletest/">Spieletest</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137304&amp;page=1&amp;ts=1540465260" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/games/red-dead-redemption-2-im-test-der-revolverhelden-simulator/121537,list.html + Thu, 25 Oct 2018 12:01:00 +0100 + https://www.golem.de/1810/137304-rss.html + Reiten, prgeln, kochen, jagen, schieen, bse sein oder (relativ) brav: In Red Dead Redemption 2 gibt es enorme Mglichkeiten, sich als Revolverheld in einer wunderschnen Westernwelt auszuleben. Das Actionspiel von Rockstar Games ist ein groer Spa - aber nicht ganz so gut wie GTA 5. Von Peter Steinlechner (Red Dead Redemption 2, Spieletest) ]]> + 107 + + + Xiaomi: Das Mi Mix 3 hat keine Notch und eine versteckte Frontkamera + https://www.golem.de/news/xiaomi-das-mi-mix-3-hat-keine-notch-und-eine-versteckte-frontkamera-1810-137319-rss.html + Das Display von Xiaomis angekndigtem Smartphone Mi Mix 3 ist nahezu randlos. Die Frontkamera versteckt das Gert hinter der aufschiebbaren Schale. Neu ist zudem, dass Xiaomi ein OLED-Panel verbaut und wieder den Qi-Ladestandard nutzt. (<a href="https://www.golem.de/specials/xiaomi/">Xiaomi</a>, <a href="https://www.golem.de/specials/smartphone/">Smartphone</a>) <img src="https://cpx.golem.de/cpx.php?class=17&amp;aid=137319&amp;page=1&amp;ts=1540464540" alt="" width="1" height="1" /> + https://forum.golem.de/kommentare/handy/xiaomi-das-mi-mix-3-hat-keine-notch-und-eine-versteckte-frontkamera/121536,list.html + Thu, 25 Oct 2018 11:49:00 +0100 + https://www.golem.de/1810/137319-rss.html + Das Display von Xiaomis angekndigtem Smartphone Mi Mix 3 ist nahezu randlos. Die Frontkamera versteckt das Gert hinter der aufschiebbaren Schale. Neu ist zudem, dass Xiaomi ein OLED-Panel verbaut und wieder den Qi-Ladestandard nutzt. (Xiaomi, Smartphone) ]]> + 125 + + + diff --git a/http/client/testdata/content-type-only-win-8859-1.xml b/http/client/testdata/content-type-only-win-8859-1.xml new file mode 100644 index 0000000..06e28e4 --- /dev/null +++ b/http/client/testdata/content-type-only-win-8859-1.xml @@ -0,0 +1,79 @@ + + + Flux RSS du magazine de psychologie Le Cercle Psy + https://le-cercle-psy.scienceshumaines.com/rss + Flux RSS du magazine de psychologie Le Cercle Psy, le magazine de toutes les psychologies. + Le Cercle Psy + + + Perturbateurs endocriniens : quels effets sur le cerveau ? + https://le-cercle-psy.scienceshumaines.com/perturbateurs-endocriniens-quels-effets-sur-le-cerveau_sh_39995 + Wed, 17 Oct 2018 10:30:00 GMT + Si leur impact semble discret au premier abord, nombre d'tudes montrent que les perturbateurs endocriniens pourraient tre l'origine de troubles neuro-dveloppementaux chez l'enfant. + + + + Masters en Psycho: une simplificationet#8230; trs complexe + https://le-cercle-psy.scienceshumaines.com/masters-en-psycho-une-simplification-tres-complexe_sh_40065 + Wed, 17 Oct 2018 10:30:00 GMT + Une nouvelle nomenclature adopte en 2014 a voulu simplifier les options proposes aux tudiants en Master de Psychologie. Mais on en revient des choix aussi illisibles qu'auparavant ! + + + + La criminalit lie surtout ... l'ennui ? + https://le-cercle-psy.scienceshumaines.com/la-criminalite-liee-surtout-a-l-ennui_sh_39986 + Wed, 17 Oct 2018 10:30:00 GMT + L'oisivet est mre de tous les vices, dit le proverbe... Certains chercheurs amricains paraissent proches de cette position ! + + + + + + Wed, 17 Oct 2018 10:30:00 GMT + + + + + Caroline Eliacheff : Dolto reste authentiquement subversive + https://le-cercle-psy.scienceshumaines.com/caroline-eliacheff-dolto-reste-authentiquement-subversive_sh_39992 + Wed, 17 Oct 2018 10:30:00 GMT + Franoise Dolto est morte il y a trente ans. D'abord adule par des gnrations de parents et de collgues, on lui a ensuite reproch d'avoir favoris l'mergence d'enfants-rois tyranniques. Et s'il existait une autre voie ? + + + + L'enfant dou : quand trop comprendre... empche parfois de comprendre + https://le-cercle-psy.scienceshumaines.com/l-enfant-doue-quand-trop-comprendre-empeche-parfois-de-comprendre_sh_40004 + Wed, 17 Oct 2018 10:30:00 GMT + On ne le rptera jamais assez: raliser le portrait-robot d'un enfant dou頻, surdou頻, haut potentiel, peu importe la qualification choisie, est vain. Cet ouvrage nous rappelle que chaque facilit, talent, comptence ou mme don, peut s'accompagner d'un versant potentiellement plus problmatique. Mais insistons: potentiellement. + + + + Travail, organisations, emploi : les modles europens + https://le-cercle-psy.scienceshumaines.com/travail-organisations-emploi-les-modeles-europeens_sh_33090 + Wed, 17 Oct 2018 10:30:00 GMT + Les pays europens diffrent en matire de performance, de niveau de chmage et de qualit de vie au travail. Certains pays russissent mieux que d'autres et sont pris comme modles. Comment font-ils? + + + + Migrants : l'urgence thrapeutique + https://le-cercle-psy.scienceshumaines.com/migrants-l-urgence-therapeutique_sh_39180 + Wed, 17 Oct 2018 10:30:00 GMT + Pousss l'exil par les conflits, la pauvret et l'espoir d'une vie meilleure, les migrants arrivent aprs un long parcours. Beaucoup sont blesss, briss, dsesprs parfois. Quelle rponse pour les aider ? + + + + Psy en prison, une mission impossible ? + https://le-cercle-psy.scienceshumaines.com/psy-en-prison-une-mission-impossible_sh_38718 + Wed, 17 Oct 2018 10:30:00 GMT + Dtenus proches de la psychose, manque cruel de moyens, hirarchie intrusive... Les praticiens intervenant en prison n'ont pas un quotidien facile. Retour sur un sacerdoce des temps modernes. + + + + Psychologue domicile : de la clinique l'tat brut + https://le-cercle-psy.scienceshumaines.com/psychologue-a-domicile-de-la-clinique-a-l-etat-brut_sh_35540 + Wed, 17 Oct 2018 10:30:00 GMT + Si tu ne peux pas venir au psychologue, le psychologue viendra toi ! L'intervention domicile demeure une pratique encore peu rpandue chez les psys. En quoi diffre-t-elle d'une consultation ordinaire ? + + + + diff --git a/http/client/testdata/gb2312.html b/http/client/testdata/gb2312.html new file mode 100644 index 0000000..3126e57 --- /dev/null +++ b/http/client/testdata/gb2312.html @@ -0,0 +1,862 @@ + + + + + 7Уû - 51CTO.COM + + + + + + + + + + + + +
+
+ +
|
+
+
Ƶ +
+ ˹ + Ƽ + + + + ȫ + ϵͳ + ƶ + +
+
+
+
|
+
+
51CTOվ + + + +
+
+
|
+ +
|
+
+
ƶ + +
+ +
+ +
+
+
+ +
+
+
+ + + + +
+
+
+
+
    +
  • +
  • +
  • +
  • +
+
+
+
+ +
+ + + +
+ +
+
+

7Уû

+

ǵĵʼDZŸƭ֡ûз֣ôҲǺ졭֮һᷢ֡ؼǣƭʱ?

+
+
ߣСԴ4hou|2018-10-29 10:35
+
+
+  ղ +
+
+    +
+
+
+
+
+ +

ǵĵʼDZŸƭ֡ûз֣ôҲǺ……֮һᷢ֡ؼǣƭʱ?

+

оԱıʼеƭѾԽԽֹڴºǵնʹӶû˵Webroot˾ϯϢȫGary HayslipʾȻûԽԽֵթƭĹַҲ٣Dz赲ָĵթƭν“һħһ”㹥ַͨʽƭȡûҵϢ

+

Hayslipʾ

+ + + + + + +
“ҾõʼеƭѾձڵĵزûҲϰʶص鿴ʼ֪ӦôǹʵʩĿ֮!”
+

dzĺͬģͨԼҪˣƷ㹥ĸԴڡԺϰ“ҵʱæͿ”“”“ұӦ֪ǵʼ”ڣԼʼĴΪ

+

Hayslip

+ + + + + + +
“öټֶκ͹ֹǣа취ɹƭû”
+

գWebroot˾ɨ˹ȥ18ڵijǧʼ˽йضĿijеķչơHayslipȫԼ100ϯϢȫչʾ˴˴ε˽⵽“ܶ˶յƵʼ”ʼоԿйصϢͽ֪ͨڲ֮ͬ¡

+

Cofense(ǰΪPhishMe)簲ȫսԼJohn“Lex”RobinsonӦHayslipĹ۵㣬ʾ߶Ƿ͵ĵʼıԼǵĹĿ꣬ѾԽԽ˽⡣˵

+ + + + + + +
“ǽĹͨʽ()15ǰ20ǰ30ǰȣܾԵòôͨˡʼҪĴͨףҪҵлһ¡”
+

һЩУչʾϢԼʾĹߵĿͲԵݡ

+

1.

+

+

߲ϣĿԥʱǾͻдһֽȸУΪϣܹ

+

Ҳõʼֱ˵“”ѡ֮ƵİʾHayslipʾΪһϯϢȫ٣;ῴΪҪṩУҪǣܶܺߵǣΪûвȡijЩܺҪжܵͷHayslipԱ

+ + + + + + +
“ԸȥѰרҵҲԸΪ¶ҽԺκԼ‘’۵δ֪ʼΪĽͨܶЧ;绰”
+

2. Ʊ

+

+

Cofense⵽“Top10ʼ”У“Ʊ”һʾͶռ6(ֻDZ﷽ʽ)Ҳ˵ڿʱ񶯻Ȼλ

+

̸Cofense׷ٵƭʱRobinsonʾ

+ + + + + + +
“˵˼Ǿƭֶ漰Ǯ⡣ȻǮÿ˵һߴ̼ԵĻ……һߴ̼ԵĻʱǵȤ”
+

Ȼǰ6ƭֵľϢͬ˶ͼ“Ʊ”һΪǵĿꡣǮһǿĶߺ֪һ㣬ǵߡʾCofenseɨʼУԼ100,000ʼ“Ʊ”һΪġ

+

CofenseоԱ֣“”һܻӭı⣬ʹҲ40,000ʼͬʱ“”“”ҲǷdzܻӭ⡣

+

WebRoot֣“”Ҳһֳѡ񣬵ȻһЩʼ壺“Chase֪ͨ”һܻӭIJ⡣

+

ҪעǣҪΪթֻᷢûϣʹǻ˾Ҳ⵽թƭթƭСѾﵽԪȸFacebookĻƲŵڱװ˶ͨǵת˼¼׼һ̣ԪķƱ

+

Ȼº󾭹ִصŬ׷ʧ;˾Ͳôˣ2016ֵ30Ԫթƭ󲿷ֶ޷׷ء

+

3. ֪ͨ

+

+

HayslipʾԹ˾߹ܵľö㹥Ҫ߸ŬоԼΪϽĴǺ﷨ͳƣ

+ + + + + + +
“Ϊ‘’(whaling attacks)ͨ㹥֮ν“”ʵһթͣҵij˾߲߹Ŷӵ͵ʼַ(Ϣͨҳṩ)׫дЩԱ乫˾ְλƵĵʼЩʼͼʹ߹ǵijӲijվڴ˶صУư¼ѳϢ˾ܡ”
+

Ը߼ԱʵʩĹߣϣʼϢʵǿܻͰضƻ“Э”źŵթԵʼǻȶĿѡноģз֪ͨϢ⣬߻ܻϵǵCEOCFOвһЩ⣬ҪϵİĽ֤ʲתƵĺԺͿԡ

+

4. ˻֤

+

+

һֱӵľϵ󣬵֪ʶȨԴںܴ͵Ĺͨƾ֤(credential phishing)ΪĿڻȡ㡣ϷҪƾ֤ΪȷϷʵԵĻƾ֤ͻͼȡϷƾ֤ˣƾ֤һԣ߾ͿֱӻȡĸϢʹߵ˺šȵȡ

+

ڽƾ֤ʱҪͨ“˻֤”֮¼ҳ֤ƾ֤ΪһϵкУҪȡûݣҪȡЩϢͿ漰ðʹõƷƷ“˻֤”ĵʼ

+

5. ĵ

+

+

Ȼڵʼձ飬RobinsonΪҲȻܻӭʮЧ뷢Ʊ֪ͨصĵʼ߶ͽصľС

+

ϹǶҵ񻷾ơΪ֪Աļʵͻ֪ӱWordļʽĸǺġԽԽĸԼΪҪʽʵԽԽҵ񻷾֪ʼзʲôݲġ

+

⣬ʼⶼdẓֻһ֡ҲִҵͨķʽԷʽġΪҵе˱æµ÷dzʽ⡣

+

͸ԣ׼Ĺ̺ͨ߿԰֯Чطʽ㹥֯ԱչʾЩʼӦԼӦòȡָʽԱܹʱթʼ

+

6. ж“֧β”

+

+

HayslipָĿŴʼ⡣ڵʼв“Ҫ”صУܹɹʹĿɹҪɵκ顣Ҳָ“ж”صʱʵȷʵ——“ж”صĵʼУӵĵʸߴԼ40%߻ὫܺضٵԴվȡ¼ƾ֤ܺڱƭƣ“֪ҵʱӦ”

+

ڹȥһУѾʹö⸽תΪǶӡ񣬴ʼжӣҴӱ濴ܺԽԽжЩǷ԰ȫΪڹȥǿԽͣһ鿴Ƿ;ŹߵļַʽѾˡ

+

7. ѷ/ijĶ#812-4623ѵ

+

+

Hayslipָ͵ʼͨڼڼ(ϾҪ˫11ʢ)ͳƣÿشڼգ̼ҶĿͻʹ۴ݶ̬ʼʱ򣬵ʼҲŻˡ⣬һЩض͵ĹһеIJͬʱγ֣磬ںͲصƭֻ˰ռʱ;ʥڼͻ“֧”صթϢ

+

HayslipϢҲܲرἰǷѾܻվΪն⸽

+

ѷ/ijϹˣܴԥصЩʼԲ鿴еȷԼʲôʱܹȵȡȻҲͻԥصеĶ鿴ǶඩƷǷԼ豸ѾȾʱѻ֮ӡ

+

ûӦξʼ?

+
    +
  • ⿪·ĵʼļװɱʱ֪ʶͲϵͳϢ˽򿪸˷ǽ;
  • +
  • Ҫ˺Ϣͣÿ˺֮ʼ;
  • +
  • ΪҪDzҪظߵʼӣʵʼϢʹõ绰;ij˾վʹֱӷʣǵʼе;
  • +
  • ַ–ϷվַԽ϶̣ͨ.com.govβðվĵַͨϳֻаϷҵ();
  • +
  • ͬ˺ʹòͬҪʹͬĿ;
  • +
  • Ҫʹúܼ򵥵Ŀ(000000յ);
  • +
+

һ䣬þȡÿ

+

༭Ƽ

+
+
    +
  1. AI²£ ȫרұʾ
  2. +
  3. ҵչ(ERM)ν簲ȫвҵ
  4. +
  5. ۽緸ŻCobalt Gang Commodity Builder infrastructure
  6. +
  7. ڿͽPythonΪԵѡ
  8. +
  9. 繥߿ʹȨûƾ֤3طʽ
  10. +
+
+
α༭ TEL01068476606

+ 0 +
+
+ +
+
: +
+ + + +
+
+ + +
+
+
+ + + +
+
+
+ + +
+
+
Ҷڿ
ϲ
+
+
    +
  • +
    +
    +
  • +
  • +
    +
  • +
+
+
+
+ + +
+
+ + + + + +
+
+
+ + +
+ + +
+ +
+ +
+
+ + + + +
+
+
+

Ƶγ+

+ +
+
֮ - Nmapɨ蹤 -Ƶ̳̣ȫNmapרŻݣ
+
+

֮ - Nmapɨ蹤 -Ƶ

+

ʦ949ѧϰ

+
+
+ +
+
簲ȫ֮»ΪUSGǽۼʵսƵγ
+
+

簲ȫ֮»ΪUSGǽۼʵս

+

ʦڷ3047ѧϰ

+
+
+ +
+
֮ - Nmapɨ蹤 ɨƵ̳
+
+

֮ - Nmapɨ蹤 ɨƵ

+

ʦ208ѧϰ

+
+
+ +
+
+
+
+ + +
+ CTOƷ +
+
+ +
+
+
+
+
+

ר+

+
+
ע簲ȫ Ԥթƭ
+
+ ע簲ȫ Ԥթƭ +

թƭ

+
+
+
2018ñרⱨ
+
+ 2018ñרⱨ +

ñ

+
+
+
2018׶簲ȫרⱨ
+
+ 2018׶簲ȫרⱨ +

׶簲ȫ

+
+
+
2018RSAϢȫרⱨ
+
+ 2018RSAϢȫרⱨ +

RSA

+
+
+
+
+
+
+ +
+
+

+

+
+ +
+

SOA

+ ڱУThomas ERL˵һ˶Զ˵Ľ̳̣ṩ˴ӻ㿪ʼĽģƵָͨ𲽵ġġõSOA... +
+ +
+
+
+
+
+
+
+

51CTOʿ

+

+ 51CTOʿ +
+
+
+
+
+ +
+ +
+
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/http/client/testdata/meta-charset-attribute.html b/http/client/testdata/meta-charset-attribute.html new file mode 100644 index 0000000..2d7d25a --- /dev/null +++ b/http/client/testdata/meta-charset-attribute.html @@ -0,0 +1,48 @@ + + + + meta charset attribute + + + + + + + + + + + +

meta charset attribute

+ + +
+ + +
 
+ + + + + +
+

The character encoding of the page can be set by a meta element with charset attribute.

+

The only character encoding declaration for this HTML file is in the charset attribute of the meta element, which declares the encoding to be ISO 8859-15.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ÜÀÚ. This matches the sequence of bytes above when they are interpreted as ISO 8859-15. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-009
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/meta-content-attribute.html b/http/client/testdata/meta-content-attribute.html new file mode 100644 index 0000000..1c3f228 --- /dev/null +++ b/http/client/testdata/meta-content-attribute.html @@ -0,0 +1,48 @@ + + + + meta content attribute + + + + + + + + + + + +

meta content attribute

+ + +
+ + +
 
+ + + + + +
+

The character encoding of the page can be set by a meta element with http-equiv and content attributes.

+

The only character encoding declaration for this HTML file is in the content attribute of the meta element, which declares the encoding to be ISO 8859-15.

The test contains a div with a class name that contains the following sequence of bytes: 0xC3 0xBD 0xC3 0xA4 0xC3 0xA8. These represent different sequences of characters in ISO 8859-15, ISO 8859-1 and UTF-8. The external, UTF-8-encoded stylesheet contains a selector .test div.ÜÀÚ. This matches the sequence of bytes above when they are interpreted as ISO 8859-15. If the class name matches the selector then the test will pass.

+
+
+
Next test
HTML5
+

the-input-byte-stream-007
Result summary & related tests
Detailed results for this test
Link to spec

+
Assumptions:
  • The default encoding for the browser you are testing is not set to ISO 8859-15.
  • +
  • The test is read from a server that supports HTTP.
+
+ + + + + + diff --git a/http/client/testdata/rdf_utf8.xml b/http/client/testdata/rdf_utf8.xml new file mode 100644 index 0000000..108ef6a --- /dev/null +++ b/http/client/testdata/rdf_utf8.xml @@ -0,0 +1,374 @@ + + + + heise online News + https://www.heise.de/newsticker/ + Nachrichten nicht nur aus der Welt der Computer + + + + + OLED-TVs: Vorsichtsmaßnahmen gegen Einbrennen + https://www.heise.de/newsticker/meldung/OLED-TVs-Vorsichtsmassnahmen-gegen-Einbrennen-4205274.html?wt_mc=rss.ho.beitrag.rdf + Wer gerade einen neuen OLED-Fernseher gekauft hat oder sich zu Weihnachten einen zuzulegen möchte, sollte unbedingt ein paar Hinweise beachten. + + + + Mega-Deal: IBM übernimmt Red Hat + https://www.heise.de/newsticker/meldung/Mega-Deal-IBM-uebernimmt-Red-Hat-4205582.html?wt_mc=rss.ho.beitrag.rdf + Giganten-Hochzeit in den USA: Der Computerkonzern IBM übernimmt den Open-Source-Anbieter Red Hat für umgerechnet 30 Milliarden Euro. + + + + Fortnite-Macher: Epic Games soll 15 Milliarden Dollar wert sein + https://www.heise.de/newsticker/meldung/Fortnite-Macher-Epic-Games-soll-15-Milliarden-Dollar-wert-sein-4205522.html?wt_mc=rss.ho.beitrag.rdf + Epic Games konnte bei einer Investionsrunde einige neue Geldgeber von sich überzeugen. Insgesamt flossen 1,25 Milliarden US-Dollar. + + + + Erster nichtstaatlicher Raketenstart in China fehlgeschlagen + https://www.heise.de/newsticker/meldung/Erster-nichtstaatlicher-Rekatenstart-in-China-fehlgeschlagen-4205524.html?wt_mc=rss.ho.beitrag.rdf + Die Trägerrakete ZQ-1 hat es wegen unbekannter technischer Probleme nach dem Start nicht in die Erdumlaufbahn geschafft. + + + + eARC: Immer mehr Hersteller schalten HDMI-Audio-Rückkanal frei + https://www.heise.de/newsticker/meldung/eARC-Hersteller-schalten-HDMI-Audio-Rueckkanal-frei-4205518.html?wt_mc=rss.ho.beitrag.rdf + Während andere HDMI-2.1-Funktionen auf sich warten lassen, ist der "enhanced Audio Return Channel" nach einem Firmware-Update schon bei AV-Receivern nutzbar. + + + + Vorschau: Neue PC-Spiele im November 2018 + https://www.heise.de/newsticker/meldung/Vorschau-Neue-PC-Spiele-im-November-2018-4202098.html?wt_mc=rss.ho.beitrag.rdf + Jeden Monat schicken Spiele-Hersteller zahlreiche neue Titel ins Rennen. Wir haben die wichtigsten Spiele-Neuerscheinungen im November herausgesucht. + + + + Israelisches Start-up baut faltbares Elektroauto + https://www.heise.de/newsticker/meldung/Israelisches-Start-up-baut-faltbares-Elektroauto-4205501.html?wt_mc=rss.ho.beitrag.rdf + Das zweisitzige Auto kann sein Fahrgestell zum Parken einklappen und passt dann auf einen Motorradparkplatz. + + + + Flash-Speicher: WD will Produktion einschränken + https://www.heise.de/newsticker/meldung/Flash-Speicher-WD-will-Produktion-einschraenken-4205498.html?wt_mc=rss.ho.beitrag.rdf + Die Preise für NAND-Flash-Speicher kennen derzeit nur eine Richtung: abwärts. WD will dem mit Produktionseinschränkungen begegnen. + + + + LED-Tastatur Aukey KM-G6 im Test: mechanisch, günstig und laut + https://www.techstage.de/news/Mechanische-Tastatur-Aukey-KM-G6-im-Test-guenstig-und-laut-4205068.html?wt_mc=rss.ho.beitrag.rdf + Die Aukey KM-G6 kostet weniger als 50 Euro und zeigt, dass mechanische Tastaturen nicht teuer sein müssen. Wir testen das Keyboard. + + + + Einhörner zum Leben erwecken - Kultur-Hackathon in Mainz gestartet + https://www.heise.de/newsticker/meldung/Einhoerner-zum-Leben-erwecken-Kultur-Hackathon-in-Mainz-gestartet-4205490.html?wt_mc=rss.ho.beitrag.rdf + In Museen, Bibliotheken und Archive stecken viele Daten, die sich kreativ nutzen lassen. Programmierer, Designer und Historiker haben sich das vorgenommen. + + + + Impressionen von der SPIEL 2018: Gesellschaftsspiele für Nerds und Geeks + https://www.heise.de/newsticker/meldung/Impressionen-von-der-SPIEL-2018-Gesellschaftsspiele-fuer-Nerds-und-Geeks-4205405.html?wt_mc=rss.ho.beitrag.rdf + Weg von Bildschirm und Controller, hin zu Würfeln und Karten. Die SPIEL-Messe zeigt Neuheiten bei IT-affinen Brett-, Karten- und Tabletop-Spielen. + + + + Missing Link: Vor 100 Jahren begann die deutsche Revolution + https://www.heise.de/newsticker/meldung/Missing-Link-Vor-100-Jahren-begann-die-deutsche-Revolution-4205422.html?wt_mc=rss.ho.beitrag.rdf + Von den Sturmvögeln zu den Stiefkindern der Revolution: Mit dem Matrosenaufstand startete Deutschland in die erste Republik. + + + + 4W: Was war. Was wird. Wettrüsten oder Waffelessen, das ist die Frage. + https://www.heise.de/newsticker/meldung/Was-war-Wettruesten-oder-Waffelessen-das-ist-die-Frage-4205432.html?wt_mc=rss.ho.beitrag.rdf + Zeit! Irgendwann gab es sie gar nicht, heute wird sie uns geschenkt. Ja, auch Hal Faber weiß, dass das Quatsch ist. Wie so vieles andere. + + + + Kommentar: Vom DNS, aktuellen Hypes, Überwachung und Zensur + https://www.heise.de/newsticker/meldung/Kommentar-Vom-DNS-aktuellen-Hypes-Ueberwachung-und-Zensur-4205380.html?wt_mc=rss.ho.beitrag.rdf + Das DNS ist gereift, es kann mit den Bedrohungen der Überwachung und Zensur umgehen. Eine Antwort von Lutz Donnerhacke auf "Die Gruft DNS gehört ausgelüftet". + + + + Microsoft will Militär und Geheimdienste beliefern + https://www.heise.de/newsticker/meldung/Microsoft-will-Militaer-und-Geheimdienste-beliefern-4205383.html?wt_mc=rss.ho.beitrag.rdf + Microsoft ist trotz Protesten von Mitarbeitern bereit, dem Militär und den Geheimdiensten des Landes KI-Systeme und sonstige Technologien zu verkaufen. + + + + Zurück zur "Normalzeit": Uhren werden (möglichweise zum letzten Mal) um eine Stunde zurückgestellt + https://www.heise.de/newsticker/meldung/Zurueck-zur-Normalzeit-Uhren-werden-moeglichweise-zum-letzten-Mal-um-eine-Stunde-zurueckgestellt-4205376.html?wt_mc=rss.ho.beitrag.rdf + Die Zeitumstellung könnte bald Geschichte sein. Es gibt aber Bereiche, in denen eine Umstellung sehr aufwendig werden könnte. + + + + 5G: Seehofer fordert Änderung der Vergaberegeln + https://www.heise.de/newsticker/meldung/5G-Seehofer-fordert-Aenderung-der-Vergaberegeln-4205373.html?wt_mc=rss.ho.beitrag.rdf + Der Bundesinnenminister sieht Bewohner ländlicher Gebiete durch die Ausschreibungsregeln für das 5G-Netz benachteiligt und verlangt Nachbesserungen. + + + + Ausstellung erinnert an das Lebenswerk von Konrad Zuse + https://www.heise.de/newsticker/meldung/Ausstellung-erinnert-an-das-Lebenswerk-von-Konrad-Zuse-4205359.html?wt_mc=rss.ho.beitrag.rdf + In Hopferau im Ostallgäu stellte Konrad Zuse seine Rechenmaschine Z4 fertig. Jetzt erinnert eine Ausstellung im Schloss Hopferau an den Computerpionier. + + + + Test TrackerID LTS-450: GPS-Flaschenhalter am Fahrrad + https://www.techstage.de/news/Test-TrackerID-LTS-450-GPS-Flaschenhalter-am-Fahrrad-4205272.html?wt_mc=rss.ho.beitrag.rdf + Fahrraddiebe sind blöd, aber nicht dumm: Sehen sie einen GPS-Tracker, entfernen sie ihn. Deswegen tarnt sich der TrackerID LTS-450 in einem Flaschenhalter. + + + + Fünf mobile Beamer im Vergleichstest + https://www.techstage.de/news/Fuenf-mobile-Beamer-im-Vergleichstest-4204823.html?wt_mc=rss.ho.beitrag.rdf + In den vergangenen Wochen haben wir uns fünf kompakte Beamer mit integriertem Akku angeschaut. Im Vergleichstest zeigen wir Vor- und Nachteile. + + + + In Japan geht ein weiterer Atomreaktor wieder ans Netz + https://www.heise.de/newsticker/meldung/In-Japan-geht-ein-weiterer-Atomreaktor-wieder-ans-Netz-4205351.html?wt_mc=rss.ho.beitrag.rdf + Das Atomkraftwerk Ikata in Japan hat einen Reaktor wieder hochgefahren, gegen dessen Betrieb eine Bürgergruppe geklagt hatte. + + + + FlyCroTug: Kleine Drohne mit großer Zugkraft + https://www.heise.de/newsticker/meldung/FlyCroTug-Kleine-Drohne-mit-grosser-Zugkraft-4205335.html?wt_mc=rss.ho.beitrag.rdf + Forscher haben 100 Gramm leichte Minidrohnen entwickelt, die von einem festen Haltepunkt aus das 40-fache ihres Gewichts bewegen können. + + + + + Google Office-Programme: Neue Dokumente in Browserzeile anlegen + https://www.heise.de/newsticker/meldung/Google-Docs-Neue-Dokumente-in-Browserzeile-anlegen-4205346.html?wt_mc=rss.ho.beitrag.rdf + Für seine webbasierten Office-Programme hat Google eine praktische Abkürzung direkt in die Anwendungen Docs, Sheets, Slides und Forms veröffentlicht. + + + + Wo Hobby-Astronomen den Profis voraus sind + https://www.heise.de/newsticker/meldung/Wo-Hobby-Astronomen-den-Profis-voraus-sind-4205332.html?wt_mc=rss.ho.beitrag.rdf + Hobby-Astronomen leisten einen wertvollen Beitrag zur Wissenschaft, etwa durch das Beobachten veränderlicher Sterne oder die Suche nach Meteoriten. + + + + Zahlen geschönt? FBI-Untersuchung gegen Tesla + https://www.heise.de/newsticker/meldung/Zahlen-geschoent-FBI-Untersuchung-gegen-Tesla-4205285.html?wt_mc=rss.ho.beitrag.rdf + Es besteht der Verdacht, dass Tesla Produktionszahlen wissentlich überoptimistisch vorhergesagt hat. Das FBI ermittelt strafrechtlich. + + + + c't uplink 24.6: Linux mit UEFI / OLED-Defekte / Dropbox-Alternativen + https://www.heise.de/ct/artikel/c-t-uplink-24-6-Linux-mit-UEFI-OLED-Defekte-Dropbox-Alternativen-4205070.html?wt_mc=rss.ho.beitrag.rdf + Die c't-uplink Show: Dieses Mal mit eingebrannten Logos bei OLED-TVs, Alternativen zu Dropbox und wie man Linux am besten mit UEFI verheiratet. + + + + Die Bilder der Woche (KW 43): Von Porträt bis Landschaft + https://www.heise.de/foto/meldung/Die-Bilder-der-Woche-KW-43-Von-Portraet-bis-Landschaft-4204550.html?wt_mc=rss.ho.beitrag.rdf + Blickfang: Unsere Bilder des Tages haben in dieser Woche keine Scheu vor direktem Augenkontakt und Spiegelbildern. + + + + BIOS-Option macht ThinkPads zu Briefbeschwerern + https://www.heise.de/newsticker/meldung/BIOS-Option-macht-ThinkPads-zu-Briefbeschwerern-4205185.html?wt_mc=rss.ho.beitrag.rdf + Ein einziger Klick im BIOS-Setup - und einige aktuelle Lenovo-Notebooks starten nicht mehr; eine Lösung des Problems fehlt noch. + + + + Markenstreit um “Dash”: Bragi beantragt einstweilige Verfügung gegen Oneplus + https://www.heise.de/newsticker/meldung/Markenstreit-um-Dash-Bragi-beantragt-einstweilige-Verfuegung-gegen-Oneplus-4205223.html?wt_mc=rss.ho.beitrag.rdf + Der Hersteller der smarten Kopfhörer “The Dash” sieht seine Markenrechte durch die Schnelladegeräte der chinesischen Smartphones verletzt. + + + + Übernahme von GitHub durch Microsoft abgeschlossen + https://www.heise.de/newsticker/meldung/Uebernahme-von-GitHub-durch-Microsoft-abgeschlossen-4205119.html?wt_mc=rss.ho.beitrag.rdf + Microsofts Übernahme von GitHub ist abgeschlossen. Ab Montag beginnt die Arbeit des neuen CEO Nat Friedman. Er will GitHub für die Entwickler besser machen. + + + + Webhosting und Cloud Computing: Aus 1&1 und ProfitBricks wird 1&1 Ionos + https://www.heise.de/newsticker/meldung/Webhosting-und-Cloud-Computing-Aus-1-1-und-ProfitBricks-wird-1-1-Ionos-4205066.html?wt_mc=rss.ho.beitrag.rdf + 1&1 bietet seine Webhosting- und Cloud-Produkte künftig unter dem Namen 1&1 Ionos an. Besserer Service soll Unternehmen den Cloud-Start schmackhaft machen. + + + + iPhone XR: Die 10 wichtigsten Testergebnisse + https://www.heise.de/mac-and-i/meldung/iPhone-XR-Die-10-wichtigsten-Testergebnisse-4204845.html?wt_mc=rss.ho.beitrag.rdf + Seit heute ist das dritte und günstigste von Apples neuen Smartphones im Handel. Mac & i konnte es bereits testen. + + + + Motorola One: Android-One-Smartphone für 299 Euro im Test + https://www.techstage.de/news/Motorola-One-im-Test-Android-One-Smartphone-mit-Notch-4203618.html?wt_mc=rss.ho.beitrag.rdf + Das Motorola One ist ein Smartphone mit schickem Design und Android One als Betriebssystem. Ob und für wen sich der Kauf lohnt, hat TechStage getestet. + + + + US Copyright Office: DRM darf für Reparaturen umgangen werden + https://www.heise.de/newsticker/meldung/US-Copyright-Office-DRM-darf-fuer-Reparaturen-umgangen-werden-4205173.html?wt_mc=rss.ho.beitrag.rdf + In den USA ist es künftig legal, den Kopierschutz elektronischer Geräte zu knacken, um etwa sein Smartphone, Auto oder den vernetzten Kühlschrank zu reparieren. + + + + Ausprobiert: Haptik-Datenhandschuhe von Senseglove + https://www.heise.de/newsticker/meldung/Ausprobiert-Haptik-Datenhandschuhe-von-Senseglove-4205142.html?wt_mc=rss.ho.beitrag.rdf + Der Senseglove-Datenhandschuh trackt nicht nur jeden Finger, sondern simuliert auch Widerstand und Haptik. Wir haben ihn ausprobiert. + + + + Apple News soll "Netflix für Nachrichten" werden + https://www.heise.de/mac-and-i/meldung/Apple-News-soll-Netflix-fuer-Nachrichten-werden-4204886.html?wt_mc=rss.ho.beitrag.rdf + Apple betreibt für seinen hauseigenen Infodienst eine eigene Redaktion – und setzt kaum auf Algorithmen. Im Abo könnten bald diverse Magazine hinzukommen. + + + + Xbox One X im 4K-Test: Spaßzentrale für UHD-TVs + https://www.techstage.de/news/Xbox-One-X-im-4K-Test-Spasszentrale-fuer-UHD-TVs-4204803.html?wt_mc=rss.ho.beitrag.rdf + Die aktuelle Xbox One X bewirbt Microsoft als idealen Zuspieler für UHD-Fernseher. Wir haben ihre 4K-Fähigkeiten bei Filmen und Spielen getestet. + + + + Red Dead Redemption 2: Die Entschleunigung des Action-Adventures + https://www.heise.de/newsticker/meldung/Red-Dead-Redemption-2-Die-Entschleunigung-des-Action-Adventures-4205034.html?wt_mc=rss.ho.beitrag.rdf + Nach dem Live-Stream: Unsere Eindrücke aus den ersten Stunden des Gaming-Blockbusters Red Dead Redemption 2. + + + + Grüne: Netzbetreiber sollen Breitband-Universaldienst finanzieren + https://www.heise.de/newsticker/meldung/Gruene-Netzbetreiber-sollen-Breitband-Universaldienst-finanzieren-4205022.html?wt_mc=rss.ho.beitrag.rdf + Schwarz-Rot will bis spätestens 2025 einen Anspruch auf Breitband für alle gesetzlich verankern. Die Grünen sehen dagegen sofortigen Handlungsbedarf. + + + + Programmiersprache: Rust 1.30 will mehr Klarheit schaffen + https://www.heise.de/developer/meldung/Programmiersprache-Rust-1-30-will-mehr-Klarheit-schaffen-4204893.html?wt_mc=rss.ho.beitrag.rdf + Der Umgang mit absoluten Pfaden und neue prozedurale Makros sind die Highlights der aktuellen Rust-Version. + + + + Apples Oktober-Event: iPad Pro 2018 und neue Macs vor der Tür + https://www.heise.de/mac-and-i/meldung/Apples-Oktober-Event-iPad-Pro-2018-und-neue-Macs-vor-der-Tuer-4204922.html?wt_mc=rss.ho.beitrag.rdf + Nach der Einführung der iPhones wird sich Apple der Zukunft seiner Computer zuwenden: Wichtige Neuerungen stehen an. + + + + Magento-Shops: Verwundbare Add-ons als Schlupfloch für Kreditkarten-Skimmer + https://www.heise.de/security/meldung/Magento-Shops-Verwundbare-Add-ons-als-Schlupfloch-fuer-Kreditkarten-Skimmer-4204828.html?wt_mc=rss.ho.beitrag.rdf + Ein Sicherheitsforscher warnt vor knapp über 20 Add-ons, die Onlineshops basierend auf der Magento-Software angreifbar machen. + + + + Atomkraft: Gericht kippt Schließungs-Dekret für Fessenheim + https://www.heise.de/newsticker/meldung/Atomkraft-Gericht-kippt-Schliessungs-Dekret-fuer-Fessenheim-4204853.html?wt_mc=rss.ho.beitrag.rdf + Der Conseil d'État hat zu Gunsten der Gemeinde Fessenheim und der Gewerkschaften entschieden. + + + + Qt Design Studio erreicht Version 1.0 + https://www.heise.de/developer/meldung/Qt-Design-Studio-erreicht-Version-1-0-4204902.html?wt_mc=rss.ho.beitrag.rdf + Neue Funktionen wie die Qt Photoshop Bridge und zeitachsenbasierte Animationen sollen die Zusammenarbeit von Entwicklern und Designern vereinfachen. + + + + Vodafone bringt Mini-Handy von Palm nach Deutschland + https://www.heise.de/newsticker/meldung/Vodafone-bringt-Mini-Handy-von-Palm-nach-Deutschland-4204878.html?wt_mc=rss.ho.beitrag.rdf + Das neue Palm kommt auch in Deutschland auf den Markt: Vodafone bringt das kuriose Mini-Handy exklusiv in den Handel. + + + + Xeons und Modems bescheren Intel Rekordquartal + https://www.heise.de/newsticker/meldung/Xeons-und-Modems-bescheren-Intel-Rekordquartal-4204869.html?wt_mc=rss.ho.beitrag.rdf + Starke Nachfrage nach Prozessoren für Cloud-Rechenzentren sowie LTE-Modems lassen bei Intel die Gewinne sprudeln und bescheren gute Aussichten. + + + + KI druckt Kunst: Auktionshaus Christie's versteigert KI-Gemälde für 380.000 Euro + https://www.heise.de/newsticker/meldung/KI-druckt-Kunst-Auktionshaus-Christie-s-versteigert-KI-Gemaelde-fuer-380-000-Euro-4204793.html?wt_mc=rss.ho.beitrag.rdf + Das renommierte Auktionshaus Christie's hat erstmals ein von einer KI erschaffenes Bild versteigert. Der Preis war wesentlich höher als erwartet. + + + + EU-Parlament verabschiedet Resolution zur Datenschutzuntersuchung bei Facebook + https://www.heise.de/newsticker/meldung/EU-Parlament-verabschiedet-Resolution-zur-Datenschutzuntersuchung-bei-Facebook-4204766.html?wt_mc=rss.ho.beitrag.rdf + Facebook soll mehr Aufklärung über seine Datenschutzpraxis leisten. Das EU-Parlament hat deshalb eine Untersuchung durch EU-Institutionen verabschiedet. + + + + IBM setzt auf 277.000 Apple-Geräte + https://www.heise.de/mac-and-i/meldung/IBM-setzt-auf-277-000-Apple-Geraete-4204728.html?wt_mc=rss.ho.beitrag.rdf + Bei IBM stellen Macs inzwischen ein Viertel aller Laptops. Das Open-Source-Tool Mac@IBM soll auch Admins anderer Firmen die Einrichtung erleichtern. + + + + heise-Angebot: #TGIQF - das c't-Retroquiz: 8 Bit & mehr + https://www.heise.de/newsticker/meldung/TGIQF-das-c-t-Retroquiz-8-Bit-mehr-4202717.html?wt_mc=rss.ho.beitrag.rdf + C64, ZX Spectrum, Apple II ... die Heimcomputer lösten eine IT-Revolution in den Kinderzimmern aus. Wie viel ist aus der Zeit bei Ihnen hängen geblieben? + + + + heise-Angebot: c't Fotografie: Spiegeloses Vollformat im Test + https://www.heise.de/foto/meldung/c-t-Fotografie-Spiegeloses-Vollformat-im-Test-4201826.html?wt_mc=rss.ho.beitrag.rdf + Lange war Sony der einzige Anbieter für spiegellose Vollformatkameras. Mit der Canon EOS R und der Nikon Z-Serie werden die Karten neu gemischt. + + + + British-Airways-Hack: 185.000 weitere Kunden betroffen + https://www.heise.de/newsticker/meldung/British-Airways-Hack-185-000-weitere-Kunden-betroffen-4204675.html?wt_mc=rss.ho.beitrag.rdf + Die Fluggesellschaft hat nun bekanntgegeben, dass bis dato Unbekannte Kreditkartendaten von noch mehr Kunden als bislang bekannt kopiert haben. + + + + Google: 48 Mitarbeiter wegen sexueller Belästigung gefeuert + https://www.heise.de/newsticker/meldung/Google-48-Mitarbeiter-wegen-sexueller-Belaestigung-gefeuert-4204687.html?wt_mc=rss.ho.beitrag.rdf + Der Weggang von Android-Schöpfer Andy Rubin von Google war wohl nicht freiwillig – ihm wurde sexuelle Nötigung vorgeworfen. Und er war nicht der einzige. + + + + Fujitsu schließt Werk in Augsburg + https://www.heise.de/newsticker/meldung/Fujitsu-schliesst-Werk-in-Augsburg-4204722.html?wt_mc=rss.ho.beitrag.rdf + Fujitsu plant einen Konzernumbau. In Augsburg sind davon 1500 Beschäftigte betroffen. + + + + Ego-Shooter Metro 2033 bei Steam kostenlos + https://www.heise.de/newsticker/meldung/Metro-2033-ist-bei-Steam-heute-kostenlos-4204706.html?wt_mc=rss.ho.beitrag.rdf + Metro 2033 wird am heutigen Freitag auf Steam kostenlos angeboten. Der Ego-Shooter basiert auf dem gleichnamigen Roman von Dmitri Gluchowski. + + + + Lightroom-Alternative: DxO bringt PhotoLab 2 + https://www.heise.de/foto/meldung/Lightroom-Alternative-DxO-bringt-PhotoLab-2-4204614.html?wt_mc=rss.ho.beitrag.rdf + PhotoLab gibt es nun in Version 2: Verbessert wurde unter anderem die Bildverwaltung, zudem integriert DxO die von den Nik-Filtern bekannte U-Point-Technologie. + + + + Google schaltet Nearby Notifcations in Android ab + https://www.heise.de/developer/meldung/Google-schaltet-Nearby-Notifcations-in-Android-ab-4204667.html?wt_mc=rss.ho.beitrag.rdf + Die Funktion für standortbasierte Benachrichtigungen lieferte wohl mehr Spam als nützliche Inhalte. + + + + iPhone XR: Verkaufsstart ohne Ansturm + https://www.heise.de/mac-and-i/meldung/iPhone-XR-Verkaufsstart-ohne-Ansturm-4204679.html?wt_mc=rss.ho.beitrag.rdf + Apple bringt die billigeren und bunten iPhone-Modellreihe in den Handel. Groß anstehen mussten Kunden dafür nicht. + + + + + Snapchat: Aktienabsturz durch Nutzerschwund + https://www.heise.de/newsticker/meldung/Snapchat-Aktienabsturz-durch-Nutzerschwund-4204631.html?wt_mc=rss.ho.beitrag.rdf + Snapchat laufen weiterhin die Nutzer weg – und das wird sich vorerst nicht ändern, sagt Snap. Die Aktie stürzte trotz geringerer Verluste um zehn Prozent ab. + + + + Mi Mix 3: Xiaomi-Flaggschiff mit Kamera-Slider und 10 GByte RAM + https://www.heise.de/newsticker/meldung/Mi-Mix-3-Xiaomi-Flaggschiff-mit-Kamera-Slider-und-10-GByte-RAM-4204655.html?wt_mc=rss.ho.beitrag.rdf + Xiaomis nächstes Flaggschiff bietet eine fast randlose Display-Front. Die Selfie-Kamera ist in einem magnetischen Slider-Mechanismus untergebracht. + + + + + \ No newline at end of file diff --git a/http/client/testdata/urdu.xml b/http/client/testdata/urdu.xml new file mode 100644 index 0000000..726230d --- /dev/null +++ b/http/client/testdata/urdu.xml @@ -0,0 +1,226 @@ + + + <![CDATA[BBC News اردو - پاکستان کے لیے امریکی امداد کی بہار و خزاں]]> + + http://www.bbcurdu.com + + http://www.bbc.co.uk/urdu/images/gel/rss_logo.gif + BBC News اردو - پاکستان کے لیے امریکی امداد کی بہار و خزاں + http://www.bbcurdu.com + + RSS for Node + Wed, 24 Oct 2018 07:25:10 GMT + + + + 15 + + <![CDATA[امریکی عسکری امداد کی بندش کی وجوہات: انڈیا سے جنگ، جوہری پروگرام اور اب دہشت گردوں کی پشت پناہی]]> + + http://www.bbc.com/urdu/pakistan-42575603 + http://www.bbc.com/urdu/pakistan-42575603 + Fri, 05 Jan 2018 16:51:00 GMT + + + + <![CDATA[امریکہ کے ساتھ خفیہ معلومات کا تبادلہ اور فوجی تعاون معطل کر دیا: وزیر دفاع]]> + + http://www.bbc.com/urdu/pakistan-42645212 + http://www.bbc.com/urdu/pakistan-42645212 + Thu, 11 Jan 2018 13:20:55 GMT + + + + <![CDATA[پاکستان ان دہشت گرد گروہوں کے خلاف کارروائی کرے جن کے خلاف ہم چاہتے ہیں: امریکہ]]> + + http://www.bbc.com/urdu/world-42615276 + http://www.bbc.com/urdu/world-42615276 + Tue, 09 Jan 2018 02:59:43 GMT + + + + <![CDATA[پاکستانی وزیر دفاع کہتے ہیں کہ امریکہ کو ایک کامیابی ملی ہے، وہ بھی پاکستان کی مرہون منت]]> + + http://www.bbc.com/urdu/pakistan-42554318 + http://www.bbc.com/urdu/pakistan-42554318 + Wed, 03 Jan 2018 15:50:55 GMT + + + + <![CDATA[صدر ٹرمپ کے ٹویٹ کو سنجیدگی سے لیتے ہیں: وزیر دفاع]]> + + http://www.bbc.com/urdu/42547605 + http://www.bbc.com/urdu/42547605 + Tue, 02 Jan 2018 17:27:36 GMT + + + + <![CDATA[امریکی وزیرِ خارجہ کی پاکستان آمد]]> + + http://www.bbc.com/urdu/pakistan-41739055 + http://www.bbc.com/urdu/pakistan-41739055 + Tue, 24 Oct 2017 13:08:06 GMT + + + + <![CDATA[امریکہ اور پاکستان ایک دوسرے کا کیا بگاڑ سکتے ہیں؟]]> + + http://www.bbc.com/urdu/pakistan-42542988 + http://www.bbc.com/urdu/pakistan-42542988 + Tue, 02 Jan 2018 16:28:18 GMT + + + + <![CDATA[امریکہ اور پاکستان کے کشیدہ تعلقات میں اربوں ڈالر کی امداد پر بھی تنازع]]> + + http://www.bbc.com/urdu/pakistan-42532582 + http://www.bbc.com/urdu/pakistan-42532582 + Tue, 02 Jan 2018 10:28:02 GMT + + + + <![CDATA[’امریکہ انسداد دہشتگردی سیکھنے کے بجائے دشنام طرازی کر رہا ہے‘]]> + + http://www.bbc.com/urdu/pakistan-42548010 + http://www.bbc.com/urdu/pakistan-42548010 + Wed, 03 Jan 2018 05:04:13 GMT + + + + <![CDATA[پاکستان بھی ’مذہبی آزادیوں کی خلاف ورزیاں‘ کرنے والے ممالک میں شامل]]> + + http://www.bbc.com/urdu/world-42571559 + http://www.bbc.com/urdu/world-42571559 + Thu, 04 Jan 2018 17:12:58 GMT + + + + <![CDATA[پاکستان کی سکیورٹی امداد معطل: ’دہشت گردی کے خلاف عزم پر اثرانداز نہیں ہو سکتی‘]]> + + http://www.bbc.com/urdu/pakistan-42577314 + http://www.bbc.com/urdu/pakistan-42577314 + Fri, 05 Jan 2018 12:32:27 GMT + + + + <![CDATA[ڈونلڈ ٹرمپ: پاکستان نے ہمیں جھوٹ اور دھوکے کے سوا کچھ نہیں دیا]]> + + http://www.bbc.com/urdu/world-42534486 + http://www.bbc.com/urdu/world-42534486 + Mon, 01 Jan 2018 17:59:24 GMT + + + + <![CDATA[پاکستان: اتحادی ایک دوسرے کو تنبیہ جاری نہیں کیا کرتے]]> + + http://www.bbc.com/urdu/world-42451883 + http://www.bbc.com/urdu/world-42451883 + Fri, 22 Dec 2017 08:50:54 GMT + + + + <![CDATA[امریکہ: کون سے ممالک ہیں جن پر امداد بند کر دینے کی دھمکی کارگر ثابت نہیں ہوئی]]> + + http://www.bbc.com/urdu/world-42457273 + http://www.bbc.com/urdu/world-42457273 + Fri, 22 Dec 2017 15:29:44 GMT + + + + <![CDATA[پاکستان امریکہ تعلقات، بیان بدلتے ہیں لیکن عینک نہیں]]> + + http://www.bbc.com/urdu/pakistan-42225606 + http://www.bbc.com/urdu/pakistan-42225606 + Mon, 04 Dec 2017 13:36:14 GMT + + + + <![CDATA[پاکستان امریکہ تعلقات: ’باتیں دھمکی کی زبان سے نہیں صلح کی زبان سے طے ہوں گی‘]]> + + http://www.bbc.com/urdu/pakistan-41742387 + http://www.bbc.com/urdu/pakistan-41742387 + Wed, 25 Oct 2017 01:19:34 GMT + + + + <![CDATA[امریکہ کے ساتھ تعاون ختم کرنے پر غور کیا جائے: قرارداد]]> + + http://www.bbc.com/urdu/pakistan-41097529 + http://www.bbc.com/urdu/pakistan-41097529 + Wed, 30 Aug 2017 16:19:55 GMT + + + + <![CDATA[’پاکستان کو قربانی کا بکرا بناکر افغانستان میں امن نہیں لایا جاسکتا‘]]> + + http://www.bbc.com/urdu/pakistan-41038882 + http://www.bbc.com/urdu/pakistan-41038882 + Thu, 24 Aug 2017 14:35:50 GMT + + + + <![CDATA[امریکہ سے امداد کے نہیں اعتماد کے خواہاں ہیں: جنرل باجوہ]]> + + http://www.bbc.com/urdu/pakistan-41024731 + http://www.bbc.com/urdu/pakistan-41024731 + Wed, 23 Aug 2017 13:11:20 GMT + + + + <![CDATA[’پاکستان نے اپنے رویے کو تبدیل نہ کیا تو امریکی مراعات کھو سکتا ہے‘]]> + + http://www.bbc.com/urdu/pakistan-41019799 + http://www.bbc.com/urdu/pakistan-41019799 + Tue, 22 Aug 2017 23:06:07 GMT + + + + <![CDATA[امریکہ کا پاکستان کو ’نوٹس‘ کیا اور کتنا سنگین ہے؟]]> + + http://www.bbc.com/urdu/pakistan-42550677 + http://www.bbc.com/urdu/pakistan-42550677 + Wed, 03 Jan 2018 07:47:12 GMT + + + + <![CDATA[کمال ہے، اتنی دہشت؟]]> + + http://www.bbc.com/urdu/pakistan-42594820 + http://www.bbc.com/urdu/pakistan-42594820 + Sun, 07 Jan 2018 03:49:01 GMT + + + + <![CDATA[کیا امداد بند کرنے سے امریکہ کا مقصد پورا ہو گا؟]]> + + http://www.bbc.com/urdu/pakistan-42575493 + http://www.bbc.com/urdu/pakistan-42575493 + Fri, 05 Jan 2018 08:27:04 GMT + + + + <![CDATA[وہ تازیانے لگے ہوش سب ٹھکانے لگے]]> + + http://www.bbc.com/urdu/42596931 + http://www.bbc.com/urdu/42596931 + Sun, 07 Jan 2018 12:37:26 GMT + + + + <![CDATA[امریکہ پاکستان سے چاہتا کیا ہے؟]]> + + http://www.bbc.com/urdu/pakistan-41736761 + http://www.bbc.com/urdu/pakistan-41736761 + Tue, 24 Oct 2017 12:53:37 GMT + + + + <![CDATA[پاکستان امریکہ تعلقات میں ’ڈو مور‘ کا نیا ایڈیشن جو آج تک چل رہا]]> + + http://www.bbc.com/urdu/pakistan-42422392 + http://www.bbc.com/urdu/pakistan-42422392 + Wed, 20 Dec 2017 12:23:23 GMT + + + + \ No newline at end of file diff --git a/http/client/testdata/windows_1251.html b/http/client/testdata/windows_1251.html new file mode 100644 index 0000000..5482331 --- /dev/null +++ b/http/client/testdata/windows_1251.html @@ -0,0 +1,242 @@ + + + + + + + + + + + + + + + ibash.org.ru + + + + + + +
+

ibash.org.ru

+
+
+
+
#17703 + ( 25103 )
+
xxx:
xxx: ?
yyy: PHP ,
yyy: - - -
+

+
+
#17705 + ( 20507 )
+
: 1 , ' .
: 1 , .
+

+
+
#17707 + ( 16743 )
+
xxx:
xxx: , . ,
xxx: ACPI
yyy: . ?
xxx: BNF. .
xxx: . ACPI " , "
xxx: , 60%
yyy: , . . ,
+

+
+
#17698 + ( 21515 )
+
( DRM, )
, , . , , , , , . , . , : . , , .
+

+
+
#17714 + ( 20101 )
+
: , - AMD nVidia - .
: .
+

+
+
#17715 + ( 19260 )
+
xxx:
xxx: ?
yyy: PHP ,
yyy: - - -
+

+
+
#17722 + ( 19419 )
+
xxx: : " 1 20 " (values within range 1 to 20 may be selected)
+

+
+
#17475 + ( 19325 )
+
<L29Ah> [[ clang++ == *g++ ]] && echo yay
<L29Ah> yay
<Minoru> *g++? ?
+

+
+
#17430 + ( 19644 )
+
xxx: c :)
yyy: , ,
+

+
+
#17419 + ( 22285 )
+
"OpenNET: QEMU/KVM Xen VGA"

xx: proxmox windows , .
yy: . .
+

+
+
#17414 + ( 19815 )
+
xxx: 600 ? >3 . . : , . , .
+

+
+
#17396 + ( 19330 )
+
Apple:
- ?
- , , ?
- ?
- ? !
- Emoji?
- ! !
+

+
+
#17394 + ( 18914 )
+
xxx: , , , , . , , , , - , , , ?

yyy: , , , , . , , .
+

+
+
#17386 + ( 18888 )
+
> Mail.Ru <...> Tarantool

SELECT * FROM cars;

+------+--------------------+
| id | name |
+------+--------------------+
| 1 | "Mazda CX-3" |
| 2 | "Audi Q1" |
| 3 | "BMW X1" |
| 4 | "Mazda CX-5" |
| 5 | "Cadillac XT5" |
| NULL | "@Mail.Ru" |
| NULL | "Guard@Mail.ru" |
| NULL | "@Mail.ru " |
| NULL | "Mail.ru Updater" |
+------+--------------------+
+

+
+
#17381 + ( 19273 )
+
, C++ .

. , ! . , .

. , , . .

, , . , . , , . , , .
+

+
+
#17375 + ( 34347 )
+
: serv29. .
: , .
: ?
: . . : .
+

+
+
#17371 + ( 626 )
+
- , : " ?" gentoo...
+

+
+
#17370 + ( 677 )
+
"":
zzz: " "???", " , IT, . , , -, "."

...,

xxx: Intel Core i5-5287U

yyy: , &#769; (. Filip&#233;ndula) (Rosaceae). 1013 [3], .
:
, , .



zzz:
+

+
+
#17369 + ( 1293 )
+
Grother: , . , Pasta silikonova termoprzewodzaca.
+

+
+
#17367 + ( 21 )
+
xxx: - - ?
xxx: : . , .
xxx: , . .
+

+
+
#17363 + ( -17 )
+
:
1. .
2. "" - .
:
.1 , .. .
.2 ?
+

+
+
#17359 + ( 41 )
+
ReactOS 0.4 :

Oxdeadbeef: x86_64?

Jedi-to-be: , .
+

+
+
#17358 + ( 9 )
+
<dsmirnov> ..... , ....
+

+
+
#17357 + ( 37 )
+
: . 20
: ,
: ,
+

+
+
#17356 + ( 17 )
+
xxx: - . -
+

+
+
#17354 + ( 13 )
+
Nick>
Nick> System information disabled due to load higher than 1.0
Nick> ,
Nick> 400, PCI- SATA
Nick>
+

+
+
#17353 + ( 6 )
+
. , RoHS ,
+

+
+
#17316 + ( 33 )
+
: , - . . 15 . . 180 : , ʔ.
Dmitry: )))))
:
Dmitry: ) , , .
+

+
+
#17314 + ( 3 )
+
Kikimorra: -. , . - :

It's a nice day!

Delete all children!

, >.<
+

+
+
#17312 + ( 15 )
+
xxx:
xxx:,
:
+

+
+
#17306 + ( 25 )
+
aaa: , .
bbb: , ? igloves, , .
ccc: . , .
ddd: ?
.
+

+
+
#17304 + ( -1 )
+
<> ...
<> ?
+

+
+
#17297 + ( -11 )
+
[15:15:56] r@ttler: .
[15:16:05] ZimM:
[15:17:30] r@ttler: : . . ,
[15:17:59] r@ttler: " , "
+

+
+
#17291 + ( 8 )
+
-:

- .

- , ....
[ 2 20 ]..., .

- ?

- : 15 , 15 , . . .
+

+
+
#17285 + ( 0 )
+
ZimM: ... with great power comes great responsibility
r@ttler: great chances to shoot your own leg
ZimM: . ,
r@ttler: work hard to shoot your own leg?
r@ttler:
r@ttler: -,
ZimM: , , , -, - ...
+

+
+
#17280 + ( 11 )
+
xxx: " " ( , ), , . , , , . , .
+

+
+
#17279 + ( 2 )
+
Val: B61-12. , , F-15E "" 20 .
Val: . ""?
: "!" -
+

+
+
#17276 + ( 25 )
+
dimgel: ( .) "Linux.Encoder.1 -. ..."
. : " ".
dimgel: , .
garik:
garik:
dimgel:
dimgel:
dimgel: ! Linux.Encoder.1 FreeBSD?!
+

+
+
#17272 + ( -5 )
+
xxx: , ,
yyy: , , .
xxx: ...
xxx: !!
xxx:
xxx: " "
xxx: " "
yyy: ", "
xxx: " "
yyy: ", "
xxx: , - !
+

+
+
#17259 + ( 17 )
+

[19:27:36] ZimM: . Europe, -
[19:28:01] r@ttler: . ?
[19:28:30] ZimM:
[19:28:49] r@ttler:
[19:29:01] r@ttler: - ?
[19:29:08] ZimM:
[19:29:14] r@ttler: 80 ?
+

+
+
#17236 + ( 13 )
+
xxx: " ",
+

+
+
#17235 + ( 12 )
+
xx: , google :)

yy: )

zz: ( , - ) ,

tt: , ?
+

+
+
#17233 + ( 4 )
+
" Linux- ":

xxx: - , . 3 .
+

+
+
#17230 + ( 24 )
+
:
Last Exile, ? . , . . . .
[...]
, , . , . , :

1)
2)
3)
4) ( )
5)
6) , , , . .
+

+
+
#17226 + ( 15 )
+
, , . , - . . . , -, , , 15 . . , , . , . , . . :

-- , , . . .

UML .
+

+
+
#17227 + ( 7 )
+
xxx: , ! ... , , , , , , , ...
+

+
+
#17223 + ( 12 )
+
xxx: 40 , , ...
yyy: D
yyy:
yyy: -
zzz: :)
zzz: 80
xxx: - )))
yyy:
yyy:
yyy: -
yyy: 2000, , 120
yyy:
yyy:
yyy: ,
yyy: , , 5
yyy: , ,
xxx: ,
yyy:
yyy: ,
+

+
+
#17224 + ( 23 )
+
, , , NDA?
NDA , ?
+

+
+
#17221 + ( 32 )
+
duzorg:
. . , , 15-20 . . 100 ...
100.
duzorg:
, . 4 . %)
Funkryer:

=)
1 4 ,
duzorg:
, )))
duzorg:
... ...
Funkryer:
, , !
+

+
+
#17220 + ( 12 )
+
xxx:
xxx: :(
xxx: ,
+

+
+ : 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55

+
+
+ ibash.org.ru
+ : imail@ibash.org.ru +
+ +
+ + + + diff --git a/http/client/testdata/windows_1251.xml b/http/client/testdata/windows_1251.xml new file mode 100644 index 0000000..474cc63 --- /dev/null +++ b/http/client/testdata/windows_1251.xml @@ -0,0 +1,359 @@ + + + + iBash.Org.Ru + http://ibash.org.ru/ + + ru + + http://ibash.org.ru/quote.php?id=17703 + http://ibash.org.ru/quote.php?id=17703 + #17703 + Wed, 21 Mar 2018 10:27:32 +0300 + xxx: ?
yyy: PHP ,
yyy: - - - ]]>
+
+ + http://ibash.org.ru/quote.php?id=17705 + http://ibash.org.ru/quote.php?id=17705 + #17705 + Wed, 21 Mar 2018 10:27:22 +0300 + : 1 , .]]> + + + http://ibash.org.ru/quote.php?id=17707 + http://ibash.org.ru/quote.php?id=17707 + #17707 + Wed, 21 Mar 2018 10:26:48 +0300 + xxx: , . ,
xxx: ACPI
yyy: . ?
xxx: BNF. .
xxx: . ACPI " , "
xxx: , 60%
yyy: , . . , ]]>
+
+ + http://ibash.org.ru/quote.php?id=17698 + http://ibash.org.ru/quote.php?id=17698 + #17698 + Thu, 15 Mar 2018 10:15:42 +0300 + , , . , , , , , . , . , : . , , .]]> + + + http://ibash.org.ru/quote.php?id=17714 + http://ibash.org.ru/quote.php?id=17714 + #17714 + Thu, 15 Mar 2018 10:14:00 +0300 + : .]]> + + + http://ibash.org.ru/quote.php?id=17715 + http://ibash.org.ru/quote.php?id=17715 + #17715 + Thu, 15 Mar 2018 10:13:35 +0300 + xxx: ?
yyy: PHP ,
yyy: - - - ]]>
+
+ + http://ibash.org.ru/quote.php?id=17722 + http://ibash.org.ru/quote.php?id=17722 + #17722 + Thu, 15 Mar 2018 10:13:03 +0300 + + + + http://ibash.org.ru/quote.php?id=17475 + http://ibash.org.ru/quote.php?id=17475 + #17475 + Thu, 15 Mar 2018 10:05:41 +0300 + <L29Ah> yay
<Minoru> *g++? ?]]>
+
+ + http://ibash.org.ru/quote.php?id=17430 + http://ibash.org.ru/quote.php?id=17430 + #17430 + Thu, 15 Mar 2018 09:59:50 +0300 + yyy: , , ]]> + + + http://ibash.org.ru/quote.php?id=17419 + http://ibash.org.ru/quote.php?id=17419 + #17419 + Thu, 15 Mar 2018 09:59:01 +0300 +
xx: proxmox windows , .
yy: . .]]>
+
+ + http://ibash.org.ru/quote.php?id=17414 + http://ibash.org.ru/quote.php?id=17414 + #17414 + Thu, 15 Mar 2018 09:58:30 +0300 + + + + http://ibash.org.ru/quote.php?id=17396 + http://ibash.org.ru/quote.php?id=17396 + #17396 + Thu, 15 Mar 2018 09:56:44 +0300 + - ?
- , , ?
- ?
- ? !
- Emoji?
- ! !]]>
+
+ + http://ibash.org.ru/quote.php?id=17394 + http://ibash.org.ru/quote.php?id=17394 + #17394 + Thu, 15 Mar 2018 09:56:28 +0300 +
yyy: , , , , . , , .]]>
+
+ + http://ibash.org.ru/quote.php?id=17386 + http://ibash.org.ru/quote.php?id=17386 + #17386 + Thu, 15 Mar 2018 09:55:30 +0300 +
SELECT * FROM cars;

+------+--------------------+
| id | name |
+------+--------------------+
| 1 | "Mazda CX-3" |
| 2 | "Audi Q1" |
| 3 | "BMW X1" |
| 4 | "Mazda CX-5" |
| 5 | "Cadillac XT5" |
| NULL | "@Mail.Ru" |
| NULL | "Guard@Mail.ru" |
| NULL | "@Mail.ru " |
| NULL | "Mail.ru Updater" |
+------+--------------------+]]>
+
+ + http://ibash.org.ru/quote.php?id=17381 + http://ibash.org.ru/quote.php?id=17381 + #17381 + Thu, 15 Mar 2018 09:54:50 +0300 +
. , ! . , .

. , , . .

, , . , . , , . , , .]]>
+
+ + http://ibash.org.ru/quote.php?id=17375 + http://ibash.org.ru/quote.php?id=17375 + #17375 + Thu, 15 Mar 2018 09:53:54 +0300 + : , .
: ?
: . . : .]]>
+
+ + http://ibash.org.ru/quote.php?id=17371 + http://ibash.org.ru/quote.php?id=17371 + #17371 + Thu, 15 Mar 2018 09:53:46 +0300 + + + + http://ibash.org.ru/quote.php?id=17370 + http://ibash.org.ru/quote.php?id=17370 + #17370 + Thu, 15 Mar 2018 09:53:28 +0300 + zzz: " "???", " , IT, . , , -, "."

...,

xxx: Intel Core i5-5287U

yyy: , &#769; (. Filip&#233;ndula) (Rosaceae). 1013 [3], .
:
, , .



zzz: ]]>
+
+ + http://ibash.org.ru/quote.php?id=17369 + http://ibash.org.ru/quote.php?id=17369 + #17369 + Thu, 15 Mar 2018 09:52:38 +0300 + + + + http://ibash.org.ru/quote.php?id=17367 + http://ibash.org.ru/quote.php?id=17367 + #17367 + Thu, 15 Mar 2018 09:52:20 +0300 + xxx: : . , .
xxx: , . .]]>
+
+ + http://ibash.org.ru/quote.php?id=17363 + http://ibash.org.ru/quote.php?id=17363 + #17363 + Thu, 15 Mar 2018 09:51:55 +0300 + 1. .
2. "" - .
:
.1 , .. .
.2 ?]]>
+
+ + http://ibash.org.ru/quote.php?id=17359 + http://ibash.org.ru/quote.php?id=17359 + #17359 + Thu, 15 Mar 2018 09:51:10 +0300 +
Oxdeadbeef: x86_64?

Jedi-to-be: , .]]>
+
+ + http://ibash.org.ru/quote.php?id=17358 + http://ibash.org.ru/quote.php?id=17358 + #17358 + Thu, 15 Mar 2018 09:51:04 +0300 + + + + http://ibash.org.ru/quote.php?id=17357 + http://ibash.org.ru/quote.php?id=17357 + #17357 + Thu, 15 Mar 2018 09:50:55 +0300 + : ,
: , ]]>
+
+ + http://ibash.org.ru/quote.php?id=17356 + http://ibash.org.ru/quote.php?id=17356 + #17356 + Thu, 15 Mar 2018 09:50:51 +0300 + + + + http://ibash.org.ru/quote.php?id=17354 + http://ibash.org.ru/quote.php?id=17354 + #17354 + Thu, 15 Mar 2018 09:50:41 +0300 + Nick> System information disabled due to load higher than 1.0
Nick> ,
Nick> 400, PCI- SATA
Nick> ]]>
+
+ + http://ibash.org.ru/quote.php?id=17353 + http://ibash.org.ru/quote.php?id=17353 + #17353 + Thu, 15 Mar 2018 09:49:52 +0300 + + + + http://ibash.org.ru/quote.php?id=17316 + http://ibash.org.ru/quote.php?id=17316 + #17316 + Thu, 15 Mar 2018 09:47:42 +0300 + Dmitry: )))))
:
Dmitry: ) , , .]]>
+
+ + http://ibash.org.ru/quote.php?id=17314 + http://ibash.org.ru/quote.php?id=17314 + #17314 + Thu, 15 Mar 2018 09:46:52 +0300 +
It's a nice day!

Delete all children!

, >.<]]>
+
+ + http://ibash.org.ru/quote.php?id=17312 + http://ibash.org.ru/quote.php?id=17312 + #17312 + Thu, 15 Mar 2018 09:46:33 +0300 + xxx:,
: ]]>
+
+ + http://ibash.org.ru/quote.php?id=17306 + http://ibash.org.ru/quote.php?id=17306 + #17306 + Thu, 15 Mar 2018 09:46:21 +0300 + bbb: , ? igloves, , .
ccc: . , .
ddd: ?
.]]>
+
+ + http://ibash.org.ru/quote.php?id=17304 + http://ibash.org.ru/quote.php?id=17304 + #17304 + Thu, 15 Mar 2018 09:45:51 +0300 + <> ?]]> + + + http://ibash.org.ru/quote.php?id=17297 + http://ibash.org.ru/quote.php?id=17297 + #17297 + Thu, 15 Mar 2018 09:44:04 +0300 + [15:16:05] ZimM:
[15:17:30] r@ttler: : . . ,
[15:17:59] r@ttler: " , "]]>
+
+ + http://ibash.org.ru/quote.php?id=17291 + http://ibash.org.ru/quote.php?id=17291 + #17291 + Thu, 15 Mar 2018 09:42:11 +0300 +
- .

- , ....
[ 2 20 ]..., .

- ?

- : 15 , 15 , . . .]]>
+
+ + http://ibash.org.ru/quote.php?id=17285 + http://ibash.org.ru/quote.php?id=17285 + #17285 + Thu, 15 Mar 2018 09:40:57 +0300 + r@ttler: great chances to shoot your own leg
ZimM: . ,
r@ttler: work hard to shoot your own leg?
r@ttler:
r@ttler: -,
ZimM: , , , -, - ...]]>
+
+ + http://ibash.org.ru/quote.php?id=17280 + http://ibash.org.ru/quote.php?id=17280 + #17280 + Thu, 15 Mar 2018 09:37:53 +0300 + + + + http://ibash.org.ru/quote.php?id=17279 + http://ibash.org.ru/quote.php?id=17279 + #17279 + Thu, 15 Mar 2018 09:37:50 +0300 + Val: . ""?
: "!" - ]]>
+
+ + http://ibash.org.ru/quote.php?id=17276 + http://ibash.org.ru/quote.php?id=17276 + #17276 + Thu, 15 Mar 2018 09:29:42 +0300 + . : " ".
dimgel: , .
garik:
garik:
dimgel:
dimgel:
dimgel: ! Linux.Encoder.1 FreeBSD?!]]>
+
+ + http://ibash.org.ru/quote.php?id=17272 + http://ibash.org.ru/quote.php?id=17272 + #17272 + Thu, 15 Mar 2018 09:28:44 +0300 + yyy: , , .
xxx: ...
xxx: !!
xxx:
xxx: " "
xxx: " "
yyy: ", "
xxx: " "
yyy: ", "
xxx: , - !]]>
+
+ + http://ibash.org.ru/quote.php?id=17259 + http://ibash.org.ru/quote.php?id=17259 + #17259 + Thu, 15 Mar 2018 09:25:43 +0300 + [19:27:36] ZimM: . Europe, -
[19:28:01] r@ttler: . ?
[19:28:30] ZimM:
[19:28:49] r@ttler:
[19:29:01] r@ttler: - ?
[19:29:08] ZimM:
[19:29:14] r@ttler: 80 ?]]>
+
+ + http://ibash.org.ru/quote.php?id=17236 + http://ibash.org.ru/quote.php?id=17236 + #17236 + Thu, 15 Mar 2018 09:23:51 +0300 + + + + http://ibash.org.ru/quote.php?id=17235 + http://ibash.org.ru/quote.php?id=17235 + #17235 + Thu, 15 Mar 2018 09:23:49 +0300 +
yy: )

zz: ( , - ) ,

tt: , ?]]>
+
+ + http://ibash.org.ru/quote.php?id=17233 + http://ibash.org.ru/quote.php?id=17233 + #17233 + Thu, 15 Mar 2018 09:23:33 +0300 +
xxx: - , . 3 .]]>
+
+ + http://ibash.org.ru/quote.php?id=17230 + http://ibash.org.ru/quote.php?id=17230 + #17230 + Thu, 15 Mar 2018 09:22:21 +0300 + Last Exile, ? . , . . . .
[...]
, , . , . , :

1)
2)
3)
4) ( )
5)
6) , , , . .]]>
+
+ + http://ibash.org.ru/quote.php?id=17226 + http://ibash.org.ru/quote.php?id=17226 + #17226 + Thu, 15 Mar 2018 09:20:48 +0300 +
-- , , . . .

UML .]]>
+
+ + http://ibash.org.ru/quote.php?id=17227 + http://ibash.org.ru/quote.php?id=17227 + #17227 + Thu, 15 Mar 2018 09:20:46 +0300 + + + + http://ibash.org.ru/quote.php?id=17223 + http://ibash.org.ru/quote.php?id=17223 + #17223 + Thu, 15 Mar 2018 09:19:38 +0300 + yyy: D
yyy:
yyy: -
zzz: :)
zzz: 80
xxx: - )))
yyy:
yyy:
yyy: -
yyy: 2000, , 120
yyy:
yyy:
yyy: ,
yyy: , , 5
yyy: , ,
xxx: ,
yyy:
yyy: , ]]>
+
+ + http://ibash.org.ru/quote.php?id=17224 + http://ibash.org.ru/quote.php?id=17224 + #17224 + Thu, 15 Mar 2018 09:19:36 +0300 + NDA , ?]]> + + + http://ibash.org.ru/quote.php?id=17221 + http://ibash.org.ru/quote.php?id=17221 + #17221 + Thu, 15 Mar 2018 09:17:22 +0300 + . . , , 15-20 . . 100 ...
100.
duzorg:
, . 4 . %)
Funkryer:

=)
1 4 ,
duzorg:
, )))
duzorg:
... ...
Funkryer:
, , !]]>
+
+ + http://ibash.org.ru/quote.php?id=17220 + http://ibash.org.ru/quote.php?id=17220 + #17220 + Thu, 15 Mar 2018 09:16:48 +0300 + xxx: :(
xxx: , ]]>
+
+
+
-- cgit v1.2.3