identifier
stringlengths
4
37.2k
collection
stringclasses
45 values
license
stringclasses
6 values
text
stringlengths
0
765k
7296562_1
courtlistener
Public Domain
Petition for certification denied.
387527_1
Wikipedia
CC-By-SA
Lampranthus coralliflorus is 'n vetplant wat hoort tot die genus Lampranthus. Die spesie is endemies aan die Oos-Kaap. Bronne SANBI Redlist Plants of the World Online Lampranthus Flora van Suid-Afrika Endemiese plante van Suid-Afrika.
github_open_source_100_1_103
Github OpenSource
Various open source
//===----------------------------------------------------------------------===// // // This source file is part of the Swift Distributed Actors open source project // // Copyright (c) 2018-2019 Apple Inc. and the Swift Distributed Actors project authors // Licensed under Apache License v2.0 // // See LICENSE.txt for license information // See CONTRIBUTORS.md for the list of Swift Distributed Actors project authors // // SPDX-License-Identifier: Apache-2.0 // //===----------------------------------------------------------------------===// import Logging // ==== ---------------------------------------------------------------------------------------------------------------- // MARK: Dead letter /// A "dead letter" is a message ("letter") that is impossible to deliver to its designated recipient. /// /// Often the reason for this is that the message was sent to given actor while it was still alive, /// yet once it arrived the destination node (or mailbox) the actor had already terminated, leaving the message to be dropped. /// Since such races can happen and point to problems in an actor based algorithm, such messages are not silently dropped, /// but rather logged, with as much information as available (e.g. about the sender or source location of the initiating tell), /// such that when operating the system, bugs regarding undelivered messages can be spotted and fixed. /// /// ## Not all dead letters are problems /// No, some dead letters may happen in a perfectly healthy system and if one knows that a message could arrive /// "too late" or be dropped for some other reason, one may mark it using the TODO: "dont log me as dead letter" protocol. /// /// ### Trivia /// The term dead letters, or rather "dead letter office" originates from the postal system, where undeliverable /// mail would be called such, and shipped to one specific place to deal with these letters. /// /// - SeeAlso: [Dead letter office](https://en.wikipedia.org/wiki/Dead_letter_office) on Wikipedia. public struct DeadLetter: NonTransportableActorMessage { let message: Any let recipient: ActorAddress? // TODO: sender and other metadata let sentAtFile: String? let sentAtLine: UInt? public init(_ message: Any, recipient: ActorAddress?, sentAtFile: String? = #file, sentAtLine: UInt? = #line) { self.message = message self.recipient = recipient self.sentAtFile = sentAtFile self.sentAtLine = sentAtLine } } // ==== ---------------------------------------------------------------------------------------------------------------- // MARK: ActorSystem.deadLetters extension ActorSystem { /// Dead letters reference dedicated to a specific address. public func personalDeadLetters<Message: ActorMessage>(type: Message.Type = Message.self, recipient: ActorAddress) -> _ActorRef<Message> { // TODO: rather could we send messages to self._deadLetters with enough info so it handles properly? guard recipient.uniqueNode == self.settings.cluster.uniqueBindNode else { /// While it should not realistically happen that a dead letter is obtained for a remote reference, /// we do allow for construction of such ref. It can be used to signify a ref is known to resolve to /// a known to be down cluster node. /// /// We don't apply the special /dead path, as to not complicate diagnosing who actually terminated or if we were accidentally sent /// a remote actor ref that was dead(!) return _ActorRef(.deadLetters(.init(self.log, address: recipient, system: self))).adapt(from: Message.self) } let localRecipient: ActorAddress if recipient.path.segments.first == ActorPath._dead.segments.first { // drop the node from the address; and we know the pointed at ref is already dead; do not prefix it again localRecipient = ActorAddress(local: self.settings.cluster.uniqueBindNode, path: recipient.path, incarnation: recipient.incarnation) } else { // drop the node from the address; and prepend it as known-to-be-dead localRecipient = ActorAddress(local: self.settings.cluster.uniqueBindNode, path: ActorPath._dead.appending(segments: recipient.segments), incarnation: recipient.incarnation) } return _ActorRef(.deadLetters(.init(self.log, address: localRecipient, system: self))).adapt(from: Message.self) } /// Anonymous `/dead/letters` reference, which may be used for messages which have no logical recipient. public var deadLetters: _ActorRef<DeadLetter> { self._deadLetters } } // ==== ---------------------------------------------------------------------------------------------------------------- // MARK: Dead letter office /// Special actor ref personality, which can handle `DeadLetter`s. /// /// Dead letters are messages or signals which were unable to be delivered to recipient, e.g. because the recipient /// actor had terminated before the message could reach it, or the recipient never existed in the first place (although /// this could only happen in ad-hoc actor path resolve situations, which should not happen in user-land). /// /// Note: Does _not_ point to a "real" actor, however for all intents and purposes can be treated as-if it did. /// /// Obtaining an instance of dead letters is best done by using the `system.deadLetters` or `personalDeadLetters` methods; /// however, it should be stressed, that directly interacting with dead letters is not something that should be needed at /// any point in time in normal user applications, as messages become dead letters automatically when messages are /// delivered at terminated or non-existing recipients. /// /// # Watch semantics /// Watching the dead letters reference is always going to immediately reply with a `Terminated` signal. /// /// This is not only to uphold the semantics of deadLetters itself, but also for general watch correctness: /// watching an actor which is terminated, may result in the `watch` system message be delivered to dead letters, /// in which case this property of dead letters will notify the watching actor that the "watchee" had already terminated. /// In these situations Terminated would be marked as `existenceConfirmed: false`. /// /// ## Dead References /// /// An `ActorAddress` pointing to a local actor, yet obtained via clustered communication MAY be resolved as so called "dead reference". /// /// A dead actor reference is defined by its inherent inability to *ever* have a chance to deliver messages to its target actor. /// While rare, such references may occur when a reference to a _local_ actor is obtained from remote communication, and thus /// the actor address resolution will perform a lookup, to relate the incoming address with a live actor; during this process /// if any of the following situations happens, the reference will be considered "dead" (like a "dead link" on an HTML page): /// /// - the address points to a local actor which does not exist, and thus no messages *ever* sent to the such-obtained reference will have a chance of being delivered, /// - address resolution locates a live actor matching the path, but with a different `ActorIncarnation`; /// meaning that the "previous incarnation" of the actor, which the address refers to, does no longer exist, and thus no attempts to send messages /// to the such obtained ref will ever succeed /// - address resolution locates a live actor matching the address, however the expected type does not match the actual type of the running actor (!); /// to protect the system from performing unsafe casts, the a dead ref will be yielded instead of the wrongly-typed ref of the alive actor. /// - this can happen when somehow message types are mixed up and signify an actor has another type than it has in the real running system /// /// Dead references are NOT used to signify that an actor that an `_ActorRef` points to has terminated and any _further_ messages sent to it will /// result in dead letters. The difference here is that in this case the actor _existed_ and the `_ActorRef` _was valid_ at some point in time. /// Dead references on the other hand have never, and will never be valid, meaning it is useful to distinguish them for debugging and logging purposes, /// but not for anything more -- users shall assume that their communication is correct and only debug why a dead reference appeared if it indeed does happen. /// /// - SeeAlso: [Dead letter office](https://en.wikipedia.org/wiki/Dead_letter_office) on Wikipedia. public final class DeadLetterOffice { let _address: ActorAddress let log: Logger weak var system: ActorSystem? let isShuttingDown: () -> Bool init(_ log: Logger, address: ActorAddress, system: ActorSystem?) { self.log = log self._address = address self.system = system self.isShuttingDown = { [weak system] in system?.isShuttingDown ?? false } } @usableFromInline var address: ActorAddress { self._address } @usableFromInline var path: ActorPath { self._address.path } @usableFromInline var ref: _ActorRef<DeadLetter> { .init(.deadLetters(self)) } func deliver(_ message: Any, file: String = #file, line: UInt = #line) { if let alreadyDeadLetter = message as? DeadLetter { self.onDeadLetter(alreadyDeadLetter, file: alreadyDeadLetter.sentAtFile ?? file, line: alreadyDeadLetter.sentAtLine ?? line) } else { self.onDeadLetter(DeadLetter(message, recipient: self.address, sentAtFile: file, sentAtLine: line), file: file, line: line) } } private func onDeadLetter(_ deadLetter: DeadLetter, file: String, line: UInt) { // Implementation notes: // We do want to change information in the logger; but we do NOT want to create a new logger // as that may then change ordering; if multiple onDeadLetter executions are ongoing, we want // all of them to be piped to the exact same logging handler, do not create a new Logging.Logger() here (!) var metadata: Logger.Metadata = [:] let recipientString: String if let recipient = deadLetter.recipient { let deadAddress: ActorAddress = .init(remote: recipient.uniqueNode, path: recipient.path, incarnation: recipient.incarnation) // should not really happen, as the only way to get a remote ref is to resolve it, and a remote resolve always yields a remote ref // thus, it is impossible to resolve a remote address into a dead ref; however keeping this path in case we manually make such mistake // somewhere in internals, and can spot it then easily if recipient.path.starts(with: ._system), self.isShuttingDown() { return // do not log dead letters to /system actors while shutting down } metadata["actor/path"] = Logger.MetadataValue.stringConvertible(deadAddress.path) recipientString = "to [\(String(reflecting: recipient.detailedDescription))]" } else { recipientString = "" } if let systemMessage = deadLetter.message as? _SystemMessage, self.specialHandled(systemMessage, recipient: deadLetter.recipient) { return // system message was special handled; no need to log it anymore } // in all other cases, we want to log the dead letter: self.log.info( "Dead letter was not delivered \(recipientString)", metadata: { () -> Logger.Metadata in // TODO: more metadata (from Envelope) (e.g. sender) if let recipient = deadLetter.recipient?.detailedDescription { metadata["deadLetter/recipient"] = "\(recipient)" } metadata["deadLetter/location"] = "\(file):\(line)" metadata["deadLetter/message"] = "\(deadLetter.message)" metadata["deadLetter/message/type"] = "\(String(reflecting: type(of: deadLetter.message)))" return metadata }() ) } private func specialHandled(_ message: _SystemMessage, recipient: ActorAddress?) -> Bool { // TODO: special handle $ask- replies; those mean we got a reply to an ask which timed out already switch message { case .tombstone: // FIXME: this should never happen; tombstone must always be taken in by the actor as last message traceLog_Mailbox(self.address.path, "Tombstone arrived in dead letters. TODO: make sure these dont happen") return true // TODO: would be better to avoid them ending up here at all, this means that likely a double dead letter was sent case .watch(let watchee, let watcher): // if a watch message arrived here it either: // - was sent to an actor which has terminated and arrived after the .tombstone, thus was drained to deadLetters // - was indeed sent to deadLetters directly, which immediately shall notify terminated; deadLetters is "undead" watcher._sendSystemMessage(.terminated(ref: watchee, existenceConfirmed: false)) return true case .stop: // we special handle some not delivered stop messages, based on the fact that those // are inherently racy in the during actor system shutdown: let ignored = recipient?.path == ._clusterShell return ignored default: return self.isShuttingDown() } } } // ==== ---------------------------------------------------------------------------------------------------------------- // MARK: Silent Dead Letter marker protocol SilentDeadLetter {} // ==== ---------------------------------------------------------------------------------------------------------------- // MARK: Paths extension ActorPath { internal static let _dead: ActorPath = try! ActorPath(root: "dead") internal static let _deadLetters: ActorPath = try! ActorPath._dead.appending("letters") }
5616502_1
courtlistener
Public Domain
Broyles, C. J. This was a suit upon a promissory note, and the defendant pleaded payment. After the introduction of evidence by the defendant, the court, on motion of the plaintiff, directed a verdict in favor of the plaintiff for the full amount sued for, and the defendant excepted. Counsel for both parties agree that the sole question in tire case is whether the evidence offered by the defend *37ant in support of his plea was sufficient to raise an issue of fact. While the evidence was not altogether clear as to the amount of the payments made, or as to whether they were made on the note sued upon, or when or where made, these questions were for the jury to determine, and the court erred in directing the verdict. “It is the fact of payment, and not the time or place of the payment, that is the essential fact to be proved.” Fletcher v. Young, 10 Ga. App. 183 (3), 189 (3) (73 S. E. 38, 40); Hawes v. Smith, 16 Ga. App. 458 (2) (85 S. E. 616). Judgment reversed. Lulce and Bloodworth, JJ., concur.
miscellaneousser00vanr_1
English-PD
Public Domain
^f^^^-%. /*f*<f/,. C ( I I l(K^ (II I '*vw <■ hu f) cC, UC v- MISCELLANEOUS SERMONS, ESSAYS, ADDRESSES, BY THE REV. CORTLANDT* VAN RENSSELAER, D.D., LATE CORRESPONDING 8ECRETARY OF THE PRESBYTERIAN* BOARD OF EDUCATION. EDITED BY HIS SON, CYAN RENSSELAER, PHILADELPHIA: J. B. LIPPINCOTT & CO. 1861. Eutered, according to Act of Congress, in tint year 1860, by J. B. LI 1'1'INCOTT & CO., in the Clerk's Office of the District Court of the United States for the Eastern District of Pennsylvania. \ )1^\ PREFACE. The contents of this volume have all been published during the life-time of the Author. This, it is believed, will not be considered dis- advantageous, as they have been revised and corrected by the Author, and were, by him. carefully prepared for issue in the present form, during his last sickness. His directions then given have been minutely and reverently car- ried out. The Editor deems it proper to say that the Funeral Sermon upon the occasion of the death of Bishop Doane, is here republished in oppo- sition to the wishes of some of his father's friends, whose judgment upon this point would have been final, had not his father expressed a (Hi) IV PREFACE. preference, in his last illness, for its being in- cluded in this volume. This preference the Editor has felt it incum- bent upon him to observe, and he willingly bears the responsibility, whatever it may be. Burlington, N. J. December 12th, 1860, CONTENTS. Introductory Memoir ....... 11 PLAIN HINTS TO NEW SCHOOL THEOLOGIANS . 37 Prominent Failings and Practical Errors among Ministers, 39 ; Consequences of these Errors, 55 ; Causes which have produced these Errors, 61. EULOGY ON DANIEL WEBSTER 69 His Childhood and Youth, 74 ; Collegiate Life, 80 ; Public Career, 83 ; Unquenchable attachment to the Union, 90 ; Cha- racter of his Eloquence, 93 ; Private and Social Character, 99 : His Religious Sentiments, 107 ; Sickness and Death, 112 : Lessons of Providence over his Grave, 116; Thankfulness to God for such Men, 116 ; Influence of Early Training, 119 : Value of Collegiate Education, 119 ; Excellence of a Noble Ambition, 120 ; Capriciousness of Public Opinion, 121 ; Homage of Intellect to Christianity, 122; End of Earthly Greatness. 123 ; Personal Religion the Highest Form of Worth, 124. HISTORICAL DISCOURSE AT THE CENTENNIAL CELE- BRATION OF THE BATTLE OF LAKE GEORGE . . 127 Introduction, 129 ; Champlain — Father Jogues, 131 ; Old French War, 132 ; Washington sent to protest against Inva- sion of the Ohio Valley, 135: Meeting of First American Con- 1* (v) VI CONTENTS. PA0I gress, 135 ; Expeditions of Braddock, Shirley, and Johnson, 137 ; Battle at Fort Edward, 141 ; Distinguished Men engaged in the Battle, 150 ; Circumstances which made this Battle renowned, 156; Forts around the Battle-field, 162; Effects of the Battle, 166; Monument should be erected, 168; Con- clusion, 168. THE ADVANTAGES OF COLLEGES 171 Carroll College, a Good Gift to a Great State, 176 ; Its adap- tation to furnish Ministers, 176; Furnishes useful Public Men, 180 ; Healthful Influence in the Common Schools and Acade- mies, 185 ; Important Aid to Morality and Religion, 191 ; Expedition to Upper Mississippi and Missouri, 194 ; Wisconsin admitted to the Union under Ordinance of 1787, 197 ; Elements of Wisconsin Greatness, .197 ; Its Advantages of Soil, 198; of abounding Forests, 198 ; of Mineral Resources, 199 ; of Trade and Commerce, 200 ; of Population, 200 ; of Education, 201. SIGNALS FROM THE ATLANTIC CABLE .... 205 Superintendence of Divine Providence in the Affairs of Men, 209 ; Triumph of Human Genius, Faith, and Perseverance, 215; Advantages, Political, Social, Economical, and Religious, 225 ; Approach of the Millennium, 238. PRESBYTERIAN VIEWS ON SLAVEHOLDING . . .24:} Scriptural Doctrine of Slaveholding, 247 ; Introduction, 247 ; Slaveholding not a malum in se, 254 ; Relation of Master and Slave not that of Parent and Child, 255 ; Slaveholding not Lawful under all Circumstances, 256 ; Abnormal and Excep- tional, 257 ; Belongs to the adiaphora, 259 ; Testimonies of the Presbyterian Church, 262 ; Statement " Slaveholding is not Necessarily and under all Circumstances Sinful," philo- sophical in Form, 265 : Requires no Explanation, 267 ; Is the Doctrine of Christ and his Apostles, 269 ; Commends itself to Consciences of Slaveholders, 270 ; Practical Power to resist Error, 272. CONTENTS. Vll PAGE EMANCIPATION AND THE CHURCH ..... 276 The Church's Interest in Emancipation, 280 ; Does not bring the Church into the Province of the State, 281 ; Her Testimony, not Legislation over the Consciences of Men, 282 ; Emancipa- tion not a Reproach where Impracticable, 282 ; Testimony of the General Assembly, 284 ; Church has a Right to hold forth Emancipation, 288 ; Views of Old Testament Scriptures, 290 ; Influence of Christianity, 292; Injunctions of Scripture, 297; Spirit and Principles of Religion favourable to Natural Rights, 301 ; Duties of Christians as Citizens, 303. HISTORICAL ARGUMENT FOR SLAVERY .... 306 Universality of Slavery no evidence of approval by Chris- tianity, 306; Early Influence of Christianity, 307 ; Slavehold- ing not always without Reproach, 312 ; Worldly Causes not the Agents in Slavery Extinction, 313 ; Consistency of Slavery with Precepts of the Gospel, 315 ; Infidelity not the Source of Awakened Interest, 318; Views of Dr. Scott, 322; Sketch of Pro-slavery Opinions, 324 ; All Slavery Opposition not Alike, 326 ; Position of the Presbyterian Church, 327. PROPER STATEMENT OF THE SCRIPTURAL DOCTRINE OF SLAVERY 330 Agreement of Dr. Armstrong with Truth of Proposition, 331 ; Politics — Distinction between Scripture and Reason, 33:i : General Assembly, 343 ; Dr. Armstrong's Weapon, 346 ; His Syllogisms, 348 ; Explaining his Proposition, 351 ; Thoughts at the Close, 355. EMANCIPATION AND THE CHURCH ; SCHEMES OF EMAN- CIPATION; AFRICAN COLONIZATION, ETC. . . .359 Emancipation not exclusively a Political Question, 359 ; Slavery and the Interests of the Life to Come, 362 ; Slavery and the Bible, 366 ; Things that avail or avail not, 369 ; Popular Errors, 373 ; Schemes of Emancipation, 380 ; Li- berian Colonization, 385 ; Free to be sent first, 387 ; Results Vill CONTENTS. PAGE of Colonization Society, 389 ; Expectations Concerning Li- beria, 390 ; Effects of entertaining Emancipation Scheme, 399 : The Work and the Way, 400 ; Church and Advisory Testi- mony, 403 ; History of Anti-Slavery Opinions, 405 : Con- cluding Remarks, 406 ; Dr. Baxter on Slavery, 409. THE AMERICAN BIBLE SOCIETY; ITS ATTEMPT AT REVISION HI On the New Emendations . . . ' 413 Right of Presbyterian Church to this Discussion, 414 ; Emendation not Constitutional, 416 ; Notes or Comments not to be made, 420 ; Committee of Revision exceeded their Powers, 422 ; American Bible Society should retrace its Steps, 424 ; Speeches of Drs. Breckenridge and Adjer, 432; Presbyterian Church at liberty to examine concerning Emendations, 433 : Committee no general authority to go behind the Translators, 435 ; Report does not give all the Alterations in Words, 436 : Changes of Text, 438 ; Punctuation, 439 ; Brackets and Italics, 440 ; Variance between American and English Edi- tions, 443 ; Practical Lessons from the Attempt at Bible Emendation, 448; Origin of American Bible Society, 450. Protest of the Committee of Revision, and an Answer to it . 451 Protest, 451 ; Answer, 455 ; Resolutions of the Board of Managers, right according to Precedent, 455 ; Give Validity to the Text of 1816, 456 ; Attribute Infallibility to no one, 456 ; Aim at Restoring the Common Headings and Contents of Chapters, 456 ; Function of the Committee is confined to Collation, 457 ; Chairman of the Committee of Nine, 458 ; Resolutions imply no Reproach, but Official Disapprobation. 458; Errors in Principle and Practice, 459; Resolutions were passed with a full knowledge of Facts, 459. On the Origin of the American Bible Society . . . 461 British and Foreign Bible Society, 461 ; Its Influence, 462 ; Dr. Spring's Life of Mills, 463; Meeting at Burlington, 464: Elias Boudinot, 465 ; The Founder of American Bible So- ciety, 467 ; Report of New Jersey Bible Society, 469 : Of Philadelphia Bible Society, 470; Convention in New York, 472; Dr. Boudinot's Circular, 474. CONTENTS. IX FUNERAL SERMON UPON THE DEATH OF BISHOP " DOANE ' 477 Reasons for the fearful harshness of Human Judgments, 479; Greatness of God's Mercies, 482; Bishop Doane, things to be remembered in judging, 485; His fine Mind, 487 ; Force of Will, 488 ; Energy and Self-denial, 489 ; Social Traits. 491; As a Churchman, 492; Orator, 496; Writer, 497; The Privileges attending his Death, 498 ; Lessons at the Grave. 502 ; Remarkable Funeral, 5,06. CAPTURE OF TICONDEROGA 509 Introduction, 513; The Indian Gateway, 514 ; Champlain's Expedition of 1609, 518; The Old French War, 523; Mont calm's March against Fort William Henry, 536 ; The Attack and Massacre, 537 ; Abercrombie's March against Ticonderoga, 542 ; The Attack and Repulse, 544 ; Fort George, 550 ; Cap- ture of Ticonderoga by Amherst, 552; By Ethan Allen,. 554: Centennial Lessons, 556; Champlain, 564; Howe, Amherst, Ethan Allen, 565 ; The Century's Call to God, 566. INTRODUCTORY MEMOIR. . (Jurtlandt Van Rensselaer was the third son of the Hon. Stephen Van Rensselaer, by his second wife, Cor- nelia Paterson, the daughter of Chief Justice Paterson of New Jersey. His father was a man of the most un- directed humility of heart, refined by nature and by cul- ture, whose religion was the religion of a Catholic Chris- tian, and who dignified the high civil positions he filled, by the courteous geniality of his manner. Among the many traits for which he was distinguished, not the least was his personal popularity. Among his nu- merous tenantry there was felt for him a general sentiment of affection and regard — and, even now, those who are the most virulent against his descendants, seldom mention but with respect and honour the name of the ;i Good Patroon." As an incident showing the deep impression his character produced upon various minds, it is related that, when "visiting Washington during the sessions of Congress, after several years of absence, in his simple, unobtrusive manner he entered the Hall of Representatives. The moment he was observed, there was so general a move- ment to press forward and salute him, that the business of the House seemed to have been entirely suspended." Of my father's mother, the Rev. Thomas E. Vermilye, her pastor and her friend, who knew her well, says: " Constitutional timidity, in some respects beyond what (xi) Xll INTRODUCTORY MEMOIR. is common in her sex, served the more strikingly to set forth a moral firmness that was calm and considerate, but fixed, and perfectly immovable when judgment and conscience had decided the course of duty. Indeed, the sense of duty seemed eminently the governing spring of her whole conduct. It may be easily seen how ad- mirably these natural endowments formed her to bless the household scene and grace the social circle ; to be- come the wise and judicious counsellor of her honoured husband, and to exert the happiest influence in her ma- ternal relations. Admirable in each capacity, in the latter she was pre-eminent. She ruled her household with discretion, because she ruled herself with judgment and the fear of God." My father's childhood was passed in the city of Albany ; and the love of his birth-place, so natural to all men, was, in him, distinguished with a peculiar force ; it passed with him through all the varieties of his occupations, and went down with him to the grave. Throughout the whole of his life, though the best and most active part of it was spent without its bounds, he always regarded his native State as the foremost among her sisters, and clung, with a reverent affection, to the old Dutch city of his birth. It was' the home of his youth, the honoured residence of his parents. To him it was ever fresh and green with pleasant memories, or hallowed with sacred associations ; and it is here that, at his own request, he now reposes. He received his first instruction, in 1815, in Provost Street, Albany, at Bancel's, a thorough and celebrated French school-teacher of the day, where were educated many who have since been prominent in their respective callings. He afterwards attended school for about a year at Morristown, New Jersey (Mr. McCullough's), previous to completing his preparatory studies at the Academy at INTRODUCTORY MEMOIR. Xlll Hyde Park, New York, under the care of Dr. Benjamin Allen. Dr. Allen, who had formerly been Professor of Mathematics and Natural Philosophy in Union College, .was a man of high mental attainments, a rigid discipli- narian, thorough in his teaching, and punctilious in the respect due to him from his pupils. My father remained here from the fall of 1819 to 1823, when he entered the Freshman Class in Yale College. Of his life at college I have been able to gather but little knowledge ; and what reveals itself in letters and other manuscripts is mostly of a purely confidential character. His favourite studies seem to have been history, natural philosophy, and geology, with the latter of which he afterwards became more familiar during: a g:eolog:ical tour undertaken in company with Professor Amos Eaton. He was thoroughly conversant with the poetry and classical literature of England, and with the oratory of her truest statesmen. He endeavoured earnestly to accustom him- self to the habit of extemporaneous speaking, making it a practice to be upon his feet in Linonia Hall as often as possible. He formed at college many pleasant and endearing acquaintances, and one friendship which walked with him, shoulder to shoulder through life, assisted him with frank and candid counsel, rejoiced with him in joy, and felt for him in sorrow ; cheered and comforted him in the hours of his last sickness, and has been tenderly shown in a tribute to his memory, honourable alike to the dead and to the friend, whose affectionate privilege it was to pro- nounce it. He was graduated in 1827 with honours above the average of his class, and after spending a short time in Albany, entered upon the study of the law in the law school connected with Yale College. He remained here, however, only about eight months, when he returned to 2 XIV INTRODUCTORY MEMOIR. Albany, and completed his preparatory studies for the bar at the office, and under the advice of Abraham Van Vechten. The relations which he sustained towards this distinguished and venerated lawyer, were of the most, affectionate and respectful character ; and when Mr. Van Vechten died in the winter of 1837, my father prepared an address commemorative of his life and public services, which I believe was never published, as the manuscript only remains among his papers. In December, 1829, he commenced a journey to New Orleans, accompanying his father, who had been accus- tomed for twelve years previous to spend his winters in the South, partly for pleasure, but chiefly for the bene- ficial effects of a warm and genial climate. It was prob- ably during this excursion that my father's thoughts were first turned to religion, by the death, at New Orleans, of a dear and valued friend, whose loss he keenly felt and deeply mourned. The record of the observations which he made during this period, is full, minute, and discursive ; containing, among other things, remarks upon the geological forma- tion of the country through which he passed, opinions upon the commercial and political advantages of the va- rious cities and States, detailing interviews with many distinguished statesmen and civilians, to whom he had the privilege of an introduction through the medium of his father's acquaintance. He paid a particular and thorough attention to the institution of slavery as it then existed in the Southern States ; and the views which he then formed concerning this vexed question, in its rela- tions to the Church, the State, and to individuals, were retained through life ; though modified, perhaps, by cir- cumstances and matured by experience, they were sub- stantially unchanged. "What these were, is told better than can be done in the words of another, by his Address INTRODUCTORY MEMOIR. XV delivered at the opening of the Ashmun Institute, and his controversy with Dr. Armstrong. Upon his return to the North in 1830, although apply- ing himself with renewed diligence to the study of the law, my father's mind seems for some time to have been in a state of disquietude and uncertainty with regard to religion. Under date of June 22d he writes : " Took a ride to Troy — I had the pleasure of Miss 's com- pany : she told me she hoped I would be a minister. This was the first time this subject was distinctly proposed to me : though I don't feel disposed to mingle with the world, I cannot think I am fit to be a minister." July 6th, in a long interview with his father, to whom it was his filial custom to go for advice upon every important matter, he mentioned for the first time his preference for the Presbyterian form of government and worship, and adds: "He did not seem to like it, so I abandoned the idea, and intend joining the Dutch Reformed Church.'" Whilst in the midst of these doubts the time came when he had determined to apply for admission to the bar ; and he accordingly set out for Utica, the place ap- pointed for the examination of candidates, in company with his friend, Henry Hogeboom, with whom, and about forty others, he was admitted to practice on the 16th of July, 1830. In September of this year he conversed upon the sub- ject which then filled his mind, with the Rev. Nathaniel W. Taylor, D.D., at New Haven, who urged him forward in his disposition ; and it cannot be doubted that the counsel and persuasion of this eminent theologian went far to incline him churchward. He seems to have been almost settled in his determina- tion to become a minister upon the 10th of September, under which date he wrote a letter to his mother, from xvi INTRODUCTORY MEMOIR. Boston, in which, after mentioning the serious nature of his reflections, he says : " This is not a sudden thought, nor the result of a ca- pricious and unreflecting moment. I have deliberated much, and weighed the consequences. I can't reconcile my present course and profession with my views of duty. It is in vain that I imagine to myself that I am better qualified for public life and the contests of the political world. I feel their vanity and unsatisfying pleasures; and my mind is only at ease when I contemplate my future course as a course of usefulness in the immediate service of God. " Who would have thought that I, the most unworthy of all your offspring, would ever have entertained serious thoughts of dedicating himself to his Maker ? But my past life, foolish as it has been, ought not surely — nor will it _ deter me from aiming at higher things. It is by the grace of God alone, that I am what I now am ; and it is upon the same grace that I rely to bless and prosper my good intentions. The reasons which have influenced "my mind in inducing me to abandon my present profession are these : " 1. I consider that every man is under obligations to his Maker, to pursue that course in life in which he thinks he can be most useful. " 2. A man of property, who has not the troubles and anxieties of business to divert his mind, is under peculiar obligations to make himself useful. "3. I consider and firmly believe, that those men are the happiest who devote themselves most to God. "4. My experience leads me to believe, that it is almost impossible for me to retain proper religious feelings, if I am occupied with the ordinary vanities and pursuits of the world." On Sunday, October 3d, he saw and heard, for the first INTRODUCTORY MEMOIR. XV11 time, Professor Charles Hodge, of Princeton : and on the 17th of the same month he first partook of the com- munion.1 Shortly after, he says : " I saw Boardman, and had a long talk with him on religious topics. This was my object in coming to New Haven. My mind is pretty strongly made up to devote myself by the grace of God to the ministry. I have no enjoyment in this world, and therefore wish to draw myself from it." November 9th, he talked finally with his father upon this subject, when (he writes) " we agreed that it was best for me to go to Princeton ;" and, starting immediately for Princeton, with the promptness which always went hand in hand with his decisions, he arrived there upon the evening of the same day. Having received his collegiate education at Yale Col- lege, and having been a frequent hearer and a warm ad- mirer of Dr. Taylor, it is not strange that his religious creed should have been coloured with some of the hues of the "New Haven Theology:" it would have been stranger still, to those who knew him, if he had hesitated to avow and defend his opinions at all proper times. His friend Dr. Boardman, in speaking of this portion of his life, says : " Many a time did we contest this ground in our daily walks at Princeton, and while nothing could exceed the candour and good temper with which he defended his opinions, he clung to them with that tenacity, which then and always, constituted a marked feature of his char- acter." When afterwards he was convinced of its inef- ficiency and error, he threw it aside with a single effort, and in the later years of his life spoke of it to a friend, as a system " all head and no heart." At the Theological Seminary at Princeton were passed 1 These two facts are so mentioned in his diary, as to make the con- nection a more intimate one than that arising merely from the order of time. 2* B XV111 INTRODUCTORY MEMOIR. some of the pleasantest days of his life, and he only left this seat df learning that he might complete his theolo- gical education in the midst of the people among whom he had already determined first to labour. It was his privilege to form a personal acquaintance with the emi- nent theologians who then occupied the chairs of the different professorships — Alexander, Miller, and Hodge ; which, with the two former, partook of the nature of a guardianship, authorized by the wisdom of experience ; and with the latter, ripened into as strong and reverent a friendship as my father's strong nature was capable of. In the fall of 1832 he left Princeton and went to the Union Seminary, Prince Edward Co., Va. ; and while here, the deep interest which he then and always felt for the African race, prompted him to read before the " Society of Inquiry," a paper upon " The personal duty of preach- ing the gospel to the slaves in our country ; " early taking his stand upon his duty with the candour and the manli- ness which were characteristic of his public avowals of opinion. After a journey through Georgia and the Car- olinas, undertaken with his honoured friend and asso- ciate, Rev. William Chester, I). D., he was licensed by the Presbytery of "West Hanover, in October, 1833, and commenced preaching to the slaves in Virginia, upon plantations in Halifax, Fluvanna, and adjoining coun- ties, chiefly upon those of Gen. John H. Cocke, Mrs. S. C. Carrington, and Gen. Carrington. Having been all his life known as the warm friend of the African race, never having hesitated to declare openly his opinions upon the duty of enlightening the slaves : having been appointed in July, 1833, by the American Colonization Society, their permanent agent for the central district, "to promote the great object" of their organization, it seemed to him fit that he should devote the first years of his ministry to the field where his heart and his duty INTRODUCTORY MEMOIR. XIX called him. The masters in those days, afforded to the young minister every facility in their power, towards the amelioration of the condition of their slaves ; with one hand they welcomed him to their hearths and homes as an honoured guest, — with the other, helped him freely and manfully onward in his mission of education. The slaves all loved him ; he went around among their cabins, instructing the willing, comforting the sick, administering the consolations of religion to the needful. He prayed with them, preached to them, worked for them. Nor were his endeavours for their good confined within mere professional bounds ; they took a wider scope, and among his papers there is a set of " Regulations for a Christian plantation," which were laid before their owners, and in many instances adopted. When he left the plantation of Mrs. Carrington, in Halifax Co., he called upon the overseer, and in her absence requested that the servants should be assembled : this was done, and after preaching his farewell sermon to them, he parted with them, in the language of one of their own number, "all weeping." It will not be out of place to quote here from a letter of Gen. John H. Cocke, one of my father's staunchest friends in Virginia, and who assisted him upon his own plantation with all the kindliness and courtesy of a Chris- tian gentleman. "Bremo, Fluvanna Co., Va., Nov. 2d, 1860. " The strong and abiding sympathy which sprang up between us, grew out of the deep interest he felt in the welfare and religious instruction of the African race in slavery amongst us at the South ; and I believe his having devoted the first years of his ministry in that field of labour in Virginia, did more to awaken in our masters a sense of duty to provide religious instruction to their slaves, than the efforts of any other individual. He more XX INTRODUCTORY MEMOIR. than a quarter of a century ago, during his year's residence with us, dedicated, as far as my knowledge goes, the first plantation Chapel for the religious instruction of negroes. The spot upon which it stands was one of his own selec- tion. After walking over the adjacent grounds, and seeing its convenient vicinity to the three plantations around it, swarming with souls almost as ignorant as the heathen, he knelt down upon the naked earth in the bosom of a tangled thicket, and in the presence of the Rev. Saml. B. S. Bissell, now one of the Secretaries of the Amer. Seamen's Friend Society in the city of New York, and another witness only, dedicated the spot by a faithful, fervent prayer, to the purpose of his mission to the South. The chapel was soon erected upon the designated ground, and stands a cherished monument to the glory of God, and the good of man. " Since that time many more plantation chapels have been built by large slave-holders in Virginia, where reg- ular religious instruction at the expense of their masters, is given to the slaves." But his labours among the coloured population of Vir- ginia were permitted to last but little over a year. So early as February, 1833, when in Savannah, the most unwarrantable suspicions were uttered with regard to his mission at the South. These, though publicly met and fully refuted, foreshadowed difficulties, which he felt would sooner or later, cross the path of his duty. In one of his letters to a valued friend, Rev. S. S. Davis, of Au- gusta, Ga., under date of Nov. 29, 1834, he says : " Dear Brother Davis : " I write with much love in my heart flowing out towards you, and with a great desire to see you once more face to face. The summer of 1833 was to me a glad season, INTRODUCTORY MEMOIR. XXI not only in lending my feeble aid to a good work, but also in forming an intimacy with a Christian brother, whose friendship I confide in, and most highly prize. I feel as if the time were coming, when every brother will have need of comfort, and help, and encouragement from his brother's heart. If this Southern Zion is not to be shaken like the forest, the issue is not in correspondence with the signs. I think I can discern a cloud already larger than a man's hand, which is to swell, and blacken, and thunder over the bulwarks of Presbyterianism. It will have small beginnings, but results terrible for a season to the southern churches. Are there not diverse symptoms in South Carolina of increasing disaffection to Presbyterian Christianity, and especially towards its min- isters who have enjoyed a northern origin ? The Vir- ginians are, I think, becoming more and more hostile to northern men, owing to an anticipated apprehension of their anti-slavery feelings. The States north of the Po- tomac, and the Western States will, in spite of every human effort, agitate the slavery question. You might as well quench the spirit of liberty which once burned in the hearts of the men of '76, as suppress the existing tendencies to revolutionary movements. I deeply and heartily grieve that the agitation of the question has as- sumed its present form. States, and I among that number. I have returned to my old field of labour among the children of Ham in this county, after a summer spent in a heartless manner at the North. During my absence, there has been some little excitement against me, which will continue among a certain set, who are always prepared to act against the Gospel. The planters, however, with whom I have to do, are still the firm friends of evangelical instruction among the negroes. I shall therefore proceed in my work, looking unto the hills from whence cometh strength. Pray for me when you remember this class of God's des- titute creatures, and when you think of ministers who come short of qualifications for their work. There are many difficulties, connected with this subject, which I have never felt before, and which are going to try me this winter severely. My relish for the work is, I thank my God, stronger than it has ever been; and I have given- myself up to it as long as God shall be pleased to consider me useful in it." When he found, as he did shortly after his ordination, in 1835, that his presence in Virginia subjected him to the most unpleasant suspicions, he felt it his duty to remain no longer where the purest and most disinterested motives were misconstrued by the violence of heated passion; and, accordingly, in October, 1835, wrote the following letter to the Presbytery of West Hanover : " To my Brethren and Fathers of West Hanover Presbytery. " After many anxious and painful feelings, I find it to be my duty to ask a dismission from the beloved Pres- bytery which first admitted me to the ambassadorship of Christ, and within whose bounds I have laboured in so much harmony and Christian fellowship. INTRODUCTORY MEMOIR. XX1U " The reasons for my departure you have a right to demand, aud I will therefore briefly state them hi all frankness, and yet with much sorrow. " I consider my usefulness in my particular vocation, at the South, to be almost entirely at an end. The Lord sent me amongst you, a stranger, to labour among the bondmen of the land of Virginia. I commenced the work in fear and trembling ; and yet not without hope that the prejudices which exist between your land and ours, would, after a time, at least, cease to interrupt the plans and operations of Christianity. That hope was beginning to be realized ; the times have changed, and my hope is gone ! A great excitement has sprung up ; prejudices, before violent, have received fresh and mighty impulses ; obstacles, scarcely visible a short time since, have now become mountains by the volcanic agitations of a rash and fiery fanaticism. Brethren, joyfully would I have laboured amongst you, and gladly would I return, if my presence, would be for good ! But the peculiar feelings of Southern men are not unknown to me at this fearful crisis ; and I wish to act in a way that will not at all impede the prosecution by others of the efforts in which I have been engaged. I know the irritability of the public mind, and the extreme jealousy of the inter- ference of foreigners, no matter with how good inten- tions they may come. Especially at this time would a Northern man, prominently interested in the slaves, be the means of arousing jealousy and bad feeling wherever he might go. He would be a rallying point for prejudice and evil surmises; and would keep up an excitement not only inimical to his own peace, but destructive of his usefulness. He would be the means of transferring the odium against himself to all others. The idea of per- sonal violence, I confess, has hardly entered into my calculations. I am so entirely conscious of the integrity XXIV INTRODUCTORY MEMOLR. of my motives, and the inoft'ensiveness of my work, that I cannot realize any difficulty on this point, however real may be the causes for apprehension. It is not this that deters me from revisiting your community. It is because my plans have been cut short; my influence im- paired; my facilities of operation ruined; my timid friends turned against me; my strong ones become doubtful ; and my whole prospects far more gloomy than when I first began. Give me aid and give me hope, and I can have the heart to work. But I cannot lean on the reed of my own littleness and live in despair. "I decline continuing operations which, as far as my instrumentality is concerned, I now utterly despair of bringing to any successful issue. I despair, my brethren, as a Northerner and a stranger. I despair as one inte- rested in a class of persons, with whom to sympathize is becoming more and more odious. I despair as a man looking at the political aspect of the times. I despair, as an ambassador of Christ, reviewing the course of God's Providence, and doubting the probability of the Divine interposition to preserve my plans, if recommenced, from interruption. If I was a Southern man, and enjoyed the advantages of a local origin, I should long hesitate before I abandoned the country. Or, if the excitement had been caused by myself, it would be my duty to return in vindication of my character and injustice to my cause. But, under present circumstances, I believe it to be alto- gether most prudent for me to withdraw from my connec- tion with the slaves, since my position has become too prominent for a Northerner to retain without increasing the prejudices against efforts of this kind. "Brethren, if there is work to be done amoDgst the benighted children of Ham, you are the men to do it, who were born and brought up on the soil; who are identified with the feelings and interests of the com- INTRODUCTORY MEMOIR. XXV munity; who are the pastors of the churches, and the spiritual guides of the people. My own interest in the slaves is not only unchanged, but increased. It is in- creased by the fact that the difficulties to their salvation have been multiplied, and the improvement of their con- dition become more obnoxious, and, moreover, by the circumstance that I shall labour amongst them no more. Wherever I shall go, I shall still be their friend ; to re- member them at the mercy-seat ; to labour for them in active life ; to aid them in every way in which God may give me the grace and the power. But as a spiritual teacher, my efforts in their behalf are at an end. I con- sider myself recalled from the South by the same Provi- dence which sent me there. I bid adieu to it in sorrow, but with a conscience void of offence towards God and man. " I am sustained iu my course by the unanimous counsel of all my Christian friends and acquaintances at the North* and also by the advice of most of my Southern friends. I feel fully persuaded in my own mind, there- fore, that it is best for me, all things considered, to leave the South. And I accordingly request a dismission from your Presbytery, whose members I love, and shall ever love for their Christian spirit, and their much kindness towards me, and request a recommendation to the Pres- bytery of Albany. " Yours in the brotherhood of the Gospel, " CORTLANDT YAN ReNSSALAER." Turning his face northward in the fall of 1835, he oc- cupied his time in temporarily supplying vacant pulpits in various parts of the country, until, in the early part of 1836, he assisted in forming the First Presbyterian Church in Burlington, New Jersey. In September, 1836, my father was married to the youngest daughter of Dr. Cogswell, of Hartford, Connec- 3 XXVI INTRODUCTORY MEMOIR. ticut; and, after declining calls to Natchez, Mississippi, and Bolton, Massachusetts, he removed, with his wife, to Burlington, and was installed pastor over the church in that city in June, 1837. This was his first regular pastoral charge, and his last. Here he worked faithfully, devotedly, unweariedly. To its people he was the most assiduous of shepherds, and of its principles of govern- ment and doctrine a bold and manly defender. The Rev. John Chester, the present pastor of the church, speaking of the four years of his ministry here, says : " During this time the church was fully organized, by having its officers appointed, and a flourishing Sabbath- school established. During the first year of his pastorate, the church edifice was completed, and dedicated to the service of God, on November 23d, 1837. It is an interesting fact that the sermon was preached by the Eev. Archibald Alexander, D.D. During the third year of his pastorate, the church was greatly blessed by an outpouring of the Spirit, God thus setting his seal of approbation to the undertaking by fulfilling his promise: 'In all places where I record my name I will come unto thee, and I will bless thee.' During these four years, four mission- aries had gone out from this church to foreign lands, one to India (Rev. Levi Janvier), two to Africa (Rev. Mr. Canfield and wife), one to the Sandwich Islands (Rev. S. C. Damon)." Though at his own request, and from convictions of duty, the pastoral relation with this congregation was dissolved in May, 1840, the interests of the church which he founded and built up were always near his heart. When its pulpit was empty he filled it; when its people needed advice he gave his counsel and time freely; and, on the morning of the day he died, remembered them to the last, in requesting a change in an arrangement which he feared might prove inconvenient to them. INTRODUCTORY MEMOIR. XXV11 It is not permitted, in this connection, to omit men- tioning the names of three, now passed away, whose presence and friendship contributed much to lighten the lot of a pastor to a struggling and feeble church : — Thomas Aikman, one of his first elders, who brought over with him from his native Scotland the national loyalty for Presbyterianism, the right hand of his pastor in every good word and work ; Mrs. Rebecca Chester, a mother in Israel, whose heart was large enough for the whole parish, whose hand was as open and whose sympathy was as free as her wishes were liberal ; Charles Chauncey, whose name I trace with feelings of reverence and affec- tion— the great Christian lawyer, upon whose ripe wis- dom and experience my father leaned as upon a staff. Often when the labours of the day were over, the brief of the lawyer and the next Sabbath sermon of the minis- ter would be forgotten in the freedom of familiar conver- sation. Of Mr. Chauncey's letters, filled with the fra- grance* of a cultivated mind, I quote, with permission, the following, illustrative both of the personal friendship of this eminent man, and of the feeling with which, as a parishioner, he parted with him. " Philadelphia, May 11th, 1840. " My Dear Friend and Pastor : " Your letter was handed to me in the afternoon of Saturday too late for me to reply to it by any conveyance of that day. I have read it again and again, and have reflected upon it with intense feeling and solicitude, and I am by no means sure that I am duly prepared to write to you on this interesting subject. " I did not receive the intimation which you gave me the other day as seriously as it is now evident I should have done, perhaps because it came upon an unwilling ear. However, I only make this remark to account for XXVlii INTRODUCTORY MEMOIR. my not urging the conversation to a more definite under- standing. " My entire respect for you, my friend, forbids me from entering upon any discussion, or even in any measure expressing my feelings upon this most interesting and affecting and important step, when you have said that your mind has been made up, after mature deliberation, that you are fully persuaded that the church will get along much better if some one else will now take your place, and that you deem it wisest to keep to yourself your reasons for taking your departure. " It is my duty to you, however, to say, that I have absolute confidence in the integrity of your heart, and that you have decided upon the most deliberate and con- scientious consideration of your duty to God and the church. I cannot forbear to add, that, as one of your flock, I desire to offer you my humble but hearty thanks for the great and, I believe, profitable enjoyment and benefit which I have received from your faithful ministry. "I feel that we are in the hands of a God of infinite wisdom and boundless goodness, whose care is over even the sparrow, and who numbers the hairs of our heads. His smile has been upon our little church : and his bless- ing has accompanied your ministrations as his servant. We ought assuredly to trust, implicitly, that He will not forsuke us, and to beseech Him for that grace which can alone guide us in the path of duty. "Your kind notice of my family, in connection with you and yours, has afforded me and mine the most sin- cere gratification. I am truly thankful to God that I have been brought into that sweet and friendly communion of heart with you, which I hope and devoutly pray may endure forever. "I am, my dear friend, " Most affectionately yours, " Charles Chauncey." INTRODUCTORY MEMOIR. XXIX During his pastoral connection with the church at Burlington, he was elected to the Professorship of Sacred Literature in the University of New York; but this honour his convictions of duty led him to resign, though pressed to accept it by the urgent solicitations of friends. In answer to a request for any manuscript information upon this subject, made to the Rev. J. M. Mathews, D.D., who was, at this time, Chancellor of the University, and chiefly through whose influence the nomination was made, the venerable divine wrote the following letter, which may well be inserted here : "New York, October 24th, 1860. " My Dear Sir : " I do not find in my correspondence any letter of con- sequence from your respected father; but I have recollec- tions of him which could not well be refreshed by any such aids to my memory.
github_open_source_100_1_104
Github OpenSource
Various open source
#Faça um programa que leia a largura e a altura de uma parede em metros, calcule a sua área e a quantidade de tinta #necessária para pinta-la, sabendo que cada litro de tinta, pinta uma área de 2m². larg = float(input('Digite a largura da parede: ')) alt = float(input('Digite a altura da parede: ')) a = larg * alt print(f'A área da parede {larg:.2f}x{alt:.2f} é de:{a:.2f}m²') tinta = a / 2 print(f'Você precisará de {tinta:.2f} l de tinta para pintar a parede.')
github_open_source_100_1_105
Github OpenSource
Various open source
package umlcreator.file; import java.io.File; import java.io.FileInputStream; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.io.PrintWriter; import java.io.StringWriter; import java.util.ArrayList; import java.util.Collection; import java.util.HashMap; import java.util.Iterator; import java.util.Map; import javafx.scene.control.Label; import javafx.scene.layout.StackPane; import javafx.scene.layout.VBox; import javafx.scene.paint.Color; import javafx.scene.shape.Line; import javafx.scene.shape.Rectangle; import javax.json.Json; import javax.json.JsonArray; import javax.json.JsonArrayBuilder; import javax.json.JsonNumber; import javax.json.JsonObject; import javax.json.JsonReader; import javax.json.JsonValue; import javax.json.JsonWriter; import javax.json.JsonWriterFactory; import javax.json.stream.JsonGenerator; import saf.components.AppDataComponent; import saf.components.AppFileComponent; import umlcreator.data.DataManager; import umlcreator.data.Draggable; import umlcreator.data.DraggableClass; import umlcreator.data.DraggableInterface; import umlcreator.gui.Method; import umlcreator.gui.Var; /** * * @author Vincent Cramer */ public class FileManager implements AppFileComponent{ public static final String DUMMY_STRING="\"\""; public static final int DUMMY_INT=1; public static final double DUMMY_DOUBLE=1.0; public static final char DUMMY_CHAR = '\''; public static final boolean DUMMY_BOOLEAN=false; public static final long DUMMY_LONG = 1; public static final byte DUMMY_BYTE = 1; public CharSequence stringSequence= "String"; public CharSequence intSequence = "int"; public CharSequence doubleSequence = "double"; public CharSequence booleanSequence = "boolean"; public CharSequence longSequence = "long"; public CharSequence charSequence = "char"; /** * Saves the app's data to a JSON file in the designated file path * * @param data * The app's information * * @param filePath * Location of the JSON file * * @throws IOException * Thrown when program doesn't have permission to write in the designated * file path */ @Override public void saveData(AppDataComponent data, String filePath) throws IOException { DataManager dataManager = (DataManager)data; ArrayList<StackPane> panes = dataManager.getPanes(); //we'll save this as 2 sub arrays: classes and interfaces JsonArrayBuilder classArrayBuilder = Json.createArrayBuilder(); JsonArrayBuilder interfaceArrayBuilder = Json.createArrayBuilder(); for(StackPane sp:panes){ Draggable drag = (Draggable)sp.getChildren().get(0); double x = sp.getLayoutX(); double y = sp.getLayoutY(); if(drag instanceof DraggableClass){ DraggableClass dc = (DraggableClass)drag; JsonObject tempJso = makeDraggableClassJsonObject(dc,x,y); classArrayBuilder.add(tempJso); } else{ DraggableInterface di = (DraggableInterface)drag; JsonObject tempJso = makeDraggableInterfaceJsonObject(di,x,y); interfaceArrayBuilder.add(tempJso); } } JsonArray classArray = classArrayBuilder.build(); JsonArray interfaceArray = interfaceArrayBuilder.build(); JsonObject classJso = Json.createObjectBuilder().add("classes", classArray).build(); JsonObject interfaceJso = Json.createObjectBuilder().add("interfaces", interfaceArray).build(); JsonArrayBuilder arrayBuilder = Json.createArrayBuilder() .add(classJso) .add(interfaceJso); JsonArray jsArray = arrayBuilder.build(); //hold both of the sub arrays (class, then interface) JsonObject dataManagerJSO = Json.createObjectBuilder() .add("panes",jsArray) .build(); //use pretty printing to set up writer Map<String, Object> properties = new HashMap<>(1); properties.put(JsonGenerator.PRETTY_PRINTING, true); JsonWriterFactory writerFactory = Json.createWriterFactory(properties); StringWriter sw = new StringWriter(); JsonWriter jsonWriter = writerFactory.createWriter(sw); jsonWriter.writeObject(dataManagerJSO); jsonWriter.close(); //actually write to file OutputStream os = new FileOutputStream(filePath); JsonWriter jsonFileWriter = Json.createWriter(os); jsonFileWriter.writeObject(dataManagerJSO); String prettyPrinted = sw.toString(); PrintWriter pw = new PrintWriter(filePath); pw.write(prettyPrinted); pw.close(); } /** * Provides a JsonObject representation of the provided DraggableClass * * @param dc * The DraggableClass itself * * @param x * The x position of the class in the workspace * * @param y * The y position of the class in the workspace * * @return * A JsonObject representation of the class made by the user */ private JsonObject makeDraggableClassJsonObject(DraggableClass dc, double x, double y){ Label nameLabel = (Label)dc.getNameBox().getChildren().get(0); String className = nameLabel.getText(); boolean isAbstract = dc.getIsAbstract(); //get the string representation of the methods and variables ArrayList<String> methodStrings = new ArrayList(); ArrayList<Method> methodList = dc.getMethodList(); ArrayList<String> varStrings = new ArrayList(); ArrayList<Var> varList = dc.getVariableList(); for(Method m:methodList){ methodStrings.add(m.toString()); } for(Var v:varList){ varStrings.add(v.toString()); } boolean hasAPI = dc.hasAPIPane(); boolean hasParent = dc.hasParent(); boolean hasInterface = dc.hasInterface(); StackPane apiPane; ArrayList<String> apiList = new ArrayList(); StackPane parentPane; String parentName = ""; ArrayList<String> childList = new ArrayList(); ArrayList<StackPane> interfacePanes; ArrayList<String> interfaceList = new ArrayList(); if(hasAPI){ apiPane = dc.getAPIPane(); VBox v = (VBox)apiPane.getChildren().get(1); for(Object o:v.getChildren()){ Label apiLabel = (Label)o; apiList.add(apiLabel.getText()); } } if(hasParent){ parentPane = dc.getParentPane(); DraggableClass parentDC = (DraggableClass) parentPane.getChildren().get(0); Label tempParentLabel = (Label)parentDC.getNameBox().getChildren() .get(0); parentName = tempParentLabel.getText(); } if(hasInterface){ interfacePanes = dc.getImplementPanes(); for(StackPane intPane: interfacePanes){ DraggableInterface di = (DraggableInterface) intPane.getChildren().get(0); Label iLabel = di.getNameLabel(); String intName = iLabel.getText(); intName = intName.replaceAll("<<",""); intName = intName.replaceAll(">>",""); interfaceList.add(intName); } } //need to save, for each class: //x/y position //name of class //if it's abstract //all methods //all variables //if it has api //if so, what apis //if it's a parent - not really necessary //if so, a reference to child - not really necessary //if it has a parent //if so, a reference to parent //if it has interfaces //if so, what interfaces //method, var, etc. should be json arrays, and added to this builder JsonArrayBuilder methodArrayBuilder = Json.createArrayBuilder(); for(String s:methodStrings){ JsonObject jso = Json.createObjectBuilder().add("method",s).build(); methodArrayBuilder.add(jso); } JsonArray methodArray = methodArrayBuilder.build(); JsonArrayBuilder varArrayBuilder = Json.createArrayBuilder(); for(String s:varStrings){ JsonObject jso = Json.createObjectBuilder().add("var",s).build(); varArrayBuilder.add(jso); } JsonArray varArray = varArrayBuilder.build(); JsonArrayBuilder apiArrayBuilder = Json.createArrayBuilder(); for(String s:apiList){ JsonObject jso = Json.createObjectBuilder().add("api",s).build(); apiArrayBuilder.add(jso); } JsonArray apiArray = apiArrayBuilder.build(); JsonArrayBuilder intArrayBuilder = Json.createArrayBuilder(); for(String s:interfaceList){ JsonObject jso = Json.createObjectBuilder().add("interface",s).build(); intArrayBuilder.add(jso); } JsonArray intArray = intArrayBuilder.build(); //put all of the parts of the class into an object JsonObject jso = Json.createObjectBuilder() .add("x",x) .add("y",y) .add("name",className) .add("isAbstract",isAbstract) .add("methods",methodArray) .add("variables",varArray) .add("hasAPI",hasAPI) .add("APIs",apiArray) .add("hasParent",hasParent) .add("Parent",parentName) .add("hasInterface",hasInterface) .add("Interfaces",intArray) .build(); return jso; } /** * Provides a JsonObject representation of the given DraggableInterface * * @param di * The DraggableInterface itself * * @param x * The x position of the interface in the workspace * * @param y * The y position of the interface in the workspace * * @return * A JsonObject representation of the interface made by the user */ private JsonObject makeDraggableInterfaceJsonObject(DraggableInterface di, double x, double y){ Label nameLabel = (Label)di.getNameBox().getChildren().get(0); String intName = nameLabel.getText(); intName = intName.replaceAll("<<",""); intName = intName.replaceAll(">>",""); boolean isAbstract = di.getIsAbstract(); //get the string representation of the methods and variables ArrayList<String> methodStrings = new ArrayList(); ArrayList<Method> methodList = di.getMethodList(); ArrayList<String> varStrings = new ArrayList(); ArrayList<Var> varList = di.getVariableList(); for(Method m:methodList){ methodStrings.add(m.toString()); } for(Var v:varList){ varStrings.add(v.toString()); } boolean hasAPI = di.hasAPIPane(); boolean hasParent = di.hasParent(); StackPane apiPane; ArrayList<String> apiList = new ArrayList(); ArrayList<StackPane> parentPanes = new ArrayList(); ArrayList<String> parentNames = new ArrayList(); ArrayList<String> childList = new ArrayList(); if(hasAPI){ apiPane = di.getAPIPane(); VBox v = (VBox)apiPane.getChildren().get(1); for(Object o:v.getChildren()){ Label apiLabel = (Label)o; apiList.add(apiLabel.getText()); } } if(hasParent){ parentPanes = di.getParentPanes(); for(StackPane s:parentPanes){ DraggableInterface parentDI = (DraggableInterface) s.getChildren().get(0); Label tempParentLabel = (Label)parentDI.getNameBox().getChildren() .get(0); String parentName = tempParentLabel.getText(); parentName = parentName.replaceAll("<<",""); parentName = parentName.replaceAll(">>",""); parentNames.add(parentName); } } //need to save, for each Dinterface: //x/y position //name of interface //if it's abstract //all methods //all variables //if it has api //if so, what apis //if it's a parent(s) //if so, a reference to parents //if it has children - not really //if so, a refernce to children - not really //method, var, etc. should be json arrays, and added to this builder JsonArrayBuilder methodArrayBuilder = Json.createArrayBuilder(); for(String s:methodStrings){ JsonObject jso = Json.createObjectBuilder().add("method",s).build(); methodArrayBuilder.add(jso); } JsonArray methodArray = methodArrayBuilder.build(); JsonArrayBuilder varArrayBuilder = Json.createArrayBuilder(); for(String s:varStrings){ JsonObject jso = Json.createObjectBuilder().add("var",s).build(); varArrayBuilder.add(jso); } JsonArray varArray = varArrayBuilder.build(); JsonArrayBuilder apiArrayBuilder = Json.createArrayBuilder(); for(String s:apiList){ JsonObject jso = Json.createObjectBuilder().add("api",s).build(); apiArrayBuilder.add(jso); } JsonArray apiArray = apiArrayBuilder.build(); JsonArrayBuilder parentArrayBuilder = Json.createArrayBuilder(); for(String s:parentNames){ JsonObject jso = Json.createObjectBuilder().add("Parent",s).build(); parentArrayBuilder.add(jso); } JsonArray parentArray = parentArrayBuilder.build(); //put all interface information into 1 object JsonObject jso = Json.createObjectBuilder() .add("x",x) .add("y",y) .add("name",intName) .add("isAbstract",isAbstract) .add("methods",methodArray) .add("variables",varArray) .add("hasAPI",hasAPI) .add("APIs",apiArray) .add("hasParent",hasParent) .add("Parents",parentArray) .build(); return jso; } /** * Loads the classes, interfaces, and relationships indicated by the file on * the given file path into the workspace so the user can see it. * * @param data * The app itself * * @param filePath * Location of JSON file we're loading * * @throws IOException * In case we don't have permission to read the file at the location */ @Override public void loadData(AppDataComponent data, String filePath) throws IOException { //remove everything else the user made in the current session from the //workspace DataManager dataManager = (DataManager)data; dataManager.reset(); InputStream is = new FileInputStream(filePath); JsonReader jsonReader = Json.createReader(is); JsonObject json = jsonReader.readObject(); jsonReader.close(); is.close(); JsonArray jsonPaneArray = json.getJsonArray("panes"); //jsp -> arraybuilder //jsp[0] -> object builder //ob[0] -> collections unmodifiable map //collections -> 2 values, json array builders JsonObject classObj = jsonPaneArray.getJsonObject(0); JsonObject intObj = jsonPaneArray.getJsonObject(1); Collection classCollection = classObj.getJsonArray("classes"); Collection interfaceCollection = intObj.getJsonArray("interfaces"); Iterator classIterator = classCollection.iterator(); Iterator interfaceIterator = interfaceCollection.iterator(); ArrayList<StackPane> loadedPanes = new ArrayList(); ArrayList<StackPane> loadedClasses = new ArrayList(); ArrayList<StackPane> loadedInterfaces = new ArrayList(); //load in all of the classes while(classIterator.hasNext()){ JsonObject jo = (JsonObject)classIterator.next(); StackPane sp = loadPane(jo, true); loadedPanes.add(sp); loadedClasses.add(sp); } //then load in the interfaces while(interfaceIterator.hasNext()){ JsonObject jo = (JsonObject)interfaceIterator.next(); StackPane sp = loadPane(jo, false); loadedPanes.add(sp); loadedInterfaces.add(sp); } dataManager.addPanesToWorkspace(loadedPanes, loadedClasses, loadedInterfaces); } /** * Helper method which provides a StackPane from a given JsonObject * * @param jo * The json representation of what will become a StackPane * * @param isClass * Tells us if the pane will contain a class, or an interface * * @return * A properly formatted StackPane */ private StackPane loadPane(JsonObject jo, boolean isClass){ StackPane sp = new StackPane(); sp.setMinWidth(100); sp.setMinHeight(100); double x = getDataAsDouble(jo,"x"); double y = getDataAsDouble(jo,"y"); if(isClass){ DraggableClass dc = loadDraggableClass(jo); sp.getChildren().add(dc); sp.getChildren().add(dc.getHolderBox()); } else{ DraggableInterface di = loadDraggableInterface(jo); sp.getChildren().add(di); sp.getChildren().add(di.getHolderBox()); } sp.setLayoutX(x); sp.setLayoutY(y); return sp; } private DraggableClass loadDraggableClass(JsonObject jo){ DraggableClass dc = new DraggableClass(); dc.setX(getDataAsDouble(jo,"x")); dc.setY(getDataAsDouble(jo,"y")); //load boolean properties first boolean isAbstract = jo.getBoolean("isAbstract"); boolean hasParent = jo.getBoolean("hasParent"); boolean hasInterface = jo.getBoolean("hasInterface"); boolean hasAPI = jo.getBoolean("hasAPI"); dc.setIsAbstract(isAbstract); dc.setLoadHasAPIPane(hasAPI); dc.setLoadHasParent(hasParent); dc.setLoadHasInterface(hasInterface); //then load the name String className = jo.getString("name"); Label nameLabel = new Label(className); nameLabel.getStyleClass().add("uml_label"); dc.setNameLabel(nameLabel); dc.getNameBox().getChildren().add(nameLabel); dc.getNameBox().getStyleClass().add("rect_vbox"); dc.getNameBox().setMinHeight(dc.getHeight()/3.0); //put the {abstract} label if necessary if(isAbstract){ Label absLabel = new Label("{abstract}"); absLabel.getStyleClass().add("uml_label"); dc.getNameBox().getChildren().add(absLabel); } dc.getMethodBox().setMinHeight(dc.getHeight()/3.0); dc.getMethodBox().getStyleClass().add("rect_vbox"); dc.getVarBox().getStyleClass().add("rect_vbox"); dc.getVarBox().setMinHeight(dc.getHeight()/3.0); JsonArray varArray = jo.getJsonArray("variables"); JsonArray methodArray = jo.getJsonArray("methods"); JsonArray apiArray = jo.getJsonArray("APIs"); JsonArray interfaceArray = jo.getJsonArray("Interfaces"); String parentName = ""; if(hasParent){ parentName = jo.getString("Parent"); dc.setLoadParentName(parentName); } //load the names of the external libraries ArrayList<String> apiStrings = new ArrayList(); if(apiArray.size()>0){ for(int i=0;i<apiArray.size();i++){ JsonObject temp = apiArray.getJsonObject(i); String str = temp.getString("api"); apiStrings.add(str); } } //load the name of interfaces ArrayList<String> interfaceStrings = new ArrayList(); if(interfaceArray.size()>0){ for(int i=0;i<interfaceArray.size();i++){ JsonObject temp = interfaceArray.getJsonObject(i); String str = temp.getString("interface"); interfaceStrings.add(str); } } dc.setLoadInterfaceNames(interfaceStrings); //load all of the variables in UML String form ArrayList<String> varStrings = new ArrayList(); if(varArray.size()>0){ for(int i=0;i<varArray.size();i++){ JsonObject temp = varArray.getJsonObject(i); String str = temp.getString("var"); varStrings.add(str); } } //load all of the methods in UML String form ArrayList<String> methodStrings = new ArrayList(); if(methodArray.size()>0){ for(int i=0;i<methodArray.size();i++){ JsonObject temp = methodArray.getJsonObject(i); String str = temp.getString("method"); methodStrings.add(str); } } ArrayList<Var> varList = new ArrayList(); ArrayList<Method> methodList = new ArrayList(); ArrayList<Label> varLabelList = new ArrayList(); ArrayList<Label> methodLabelList = new ArrayList(); if(hasAPI){ StackPane apiPane = new StackPane(); Line l = new Line(dc.getLayoutX()-50,dc.getLayoutY()+dc.getHeight() /2.0,dc.getLayoutX(),dc.getLayoutY()+dc.getHeight()/2.0); apiPane.getStyleClass().add("api_stack_pane"); Rectangle r = new Rectangle(50,30); r.setFill(Color.WHITE); VBox apiVBox = new VBox(); apiVBox.getStyleClass().add("rect_vbox"); for(String str:apiStrings){ Label apiLabel = new Label(str); apiLabel.getStyleClass().add("uml_label"); apiVBox.getChildren().add(apiLabel); } apiPane.getChildren().addAll(r,apiVBox); apiPane.setLayoutX(dc.getLayoutX()-75); apiPane.setLayoutY(dc.getLayoutY()+dc.getHeight()/2.0 -l.getStrokeWidth()); dc.setAPILine(l); dc.setAPIPane(apiPane); } for(String s:varStrings){ Var v = new Var(s); varList.add(v); Label l = new Label(v.toString()); l.getStyleClass().add("uml_label"); varLabelList.add(l); } for(String s:methodStrings){ Method m = new Method(s); methodList.add(m); Label l = new Label(m.toString()); l.getStyleClass().add("uml_label"); methodLabelList.add(l); } dc.setMethodList(methodList); dc.setVariableList(varList); dc.getMethodBox().getChildren().addAll(methodLabelList); dc.setMethodLabelList(methodLabelList); dc.getVarBox().getChildren().addAll(varLabelList); dc.setVariableLabelList(varLabelList); //place all of the parts into an HBox to display in top-down order dc.getHolderBox().getChildren().addAll(dc.getNameBox(), dc.getVarBox(),dc.getMethodBox()); return dc; } private DraggableInterface loadDraggableInterface(JsonObject jo){ DraggableInterface di = new DraggableInterface(); di.setX(getDataAsDouble(jo,"x")); di.setY(getDataAsDouble(jo,"y")); boolean isAbstract = jo.getBoolean("isAbstract"); boolean hasParent = jo.getBoolean("hasParent"); boolean hasAPI = jo.getBoolean("hasAPI"); di.setIsAbstract(isAbstract); di.setLoadHasAPIPane(hasAPI); di.setLoadHasParent(hasParent); //then load the name String intName = jo.getString("name"); di.setNameString(intName); Label nameLabel = new Label("<<" + intName + ">>"); nameLabel.getStyleClass().add("uml_label"); di.setNameLabel(nameLabel); di.getNameBox().getChildren().add(nameLabel); di.getNameBox().getStyleClass().add("rect_vbox"); di.getNameBox().setMinHeight(di.getHeight()/3.0); //put the {abstract} label if necessary if(isAbstract){ Label absLabel = new Label("{abstract}"); absLabel.getStyleClass().add("uml_label"); di.getNameBox().getChildren().add(absLabel); } di.getMethodBox().setMinHeight(di.getHeight()/3.0); di.getMethodBox().getStyleClass().add("rect_vbox"); di.getVarBox().getStyleClass().add("rect_vbox"); di.getVarBox().setMinHeight(di.getHeight()/3.0); JsonArray varArray = jo.getJsonArray("variables"); JsonArray methodArray = jo.getJsonArray("methods"); JsonArray apiArray = jo.getJsonArray("APIs"); JsonArray parentArray = jo.getJsonArray("Parents"); //load the names of the external libraries ArrayList<String> apiStrings = new ArrayList(); if(apiArray.size()>0){ for(int i=0;i<apiArray.size();i++){ JsonObject temp = apiArray.getJsonObject(i); String str = temp.getString("api"); apiStrings.add(str); } } ArrayList<String> parentNames = new ArrayList(); for(int i=0;i<parentArray.size();i++){ JsonObject temp = parentArray.getJsonObject(i); String str = temp.getString("Parent"); parentNames.add(str); } di.setLoadParentNames(parentNames); ArrayList<String> varStrings = new ArrayList(); for(int i=0;i<varArray.size();i++){ JsonObject temp = varArray.getJsonObject(i); String str = temp.getString("var"); varStrings.add(str); } ArrayList<String> methodStrings = new ArrayList(); for(int i=0;i<methodArray.size();i++){ JsonObject temp = methodArray.getJsonObject(i); String str = temp.getString("method"); methodStrings.add(str); } ArrayList<Var> varList = new ArrayList(); ArrayList<Method> methodList = new ArrayList(); ArrayList<Label> varLabelList = new ArrayList(); ArrayList<Label> methodLabelList = new ArrayList(); if(methodArray.size()>0){ for(int i=0;i<methodArray.size();i++){ JsonObject temp = methodArray.getJsonObject(i); String str = temp.getString("method"); methodStrings.add(str); } } if(hasAPI){ StackPane apiPane = new StackPane(); Line l = new Line(di.getLayoutX()-50,di.getLayoutY()+di.getHeight() /2.0,di.getLayoutX(),di.getLayoutY()+di.getHeight()/2.0); apiPane.getStyleClass().add("api_stack_pane"); Rectangle r = new Rectangle(50,30); r.setFill(Color.WHITE); VBox apiVBox = new VBox(); apiVBox.getStyleClass().add("rect_vbox"); for(String str:apiStrings){ Label apiLabel = new Label(str); apiLabel.getStyleClass().add("uml_label"); apiVBox.getChildren().add(apiLabel); } apiPane.getChildren().addAll(r,apiVBox); apiPane.setLayoutX(di.getLayoutX()-75); apiPane.setLayoutY(di.getLayoutY()+di.getHeight()/2.0 -l.getStrokeWidth()); di.setAPILine(l); di.setAPIPane(apiPane); } for(String s:varStrings){ Var v = new Var(s); varList.add(v); Label l = new Label(v.toString()); l.getStyleClass().add("uml_label"); varLabelList.add(l); } for(String s:methodStrings){ Method m = new Method(s); methodList.add(m); Label l = new Label(m.toString()); l.getStyleClass().add("uml_label"); methodLabelList.add(l); } di.setMethodList(methodList); di.setVariableList(varList); di.getMethodBox().getChildren().addAll(methodLabelList); di.setMethodLabelList(methodLabelList); di.getVarBox().getChildren().addAll(varLabelList); di.setVariableLabelList(varLabelList); //place all of the parts into an HBox to display in top-down order di.getHolderBox().getChildren().addAll(di.getNameBox(), di.getVarBox(),di.getMethodBox()); return di; } /** * Helper method for saving time and parsing a double from a stored number * in the json object * * @param json * The json object which contains the number we want as a double * * @param dataName * The name of the field we want as a double * * @return * A double value for the desired field */ private double getDataAsDouble(JsonObject json, String dataName){ JsonValue value = json.get(dataName); JsonNumber number = (JsonNumber)value; return number.bigDecimalValue().doubleValue(); } /** * Exports the user made classes and interfaces into functioning Java files * in the designated file path. * * @param data * The app information * * @param filePath * Location of the files * * @throws IOException * Thrown if the program doesn't have permission to write to the given file * path */ @Override public void exportData(AppDataComponent data, String filePath) throws IOException { DataManager dataManager = (DataManager)data; ArrayList<StackPane> panes = dataManager.getPanes(); //project folder File file = new File(filePath); file.mkdir(); //source code folder String srcLocation = file.getPath()+"\\src"; File src = new File(srcLocation); src.mkdir(); PrintWriter pw; DraggableClass dc; DraggableInterface di; Draggable drag; String packageName, name, baseLocation; boolean nestedPackage; File f; //iterate through each pane, and if there's a package, we need to create //a folder for that class/interface for(StackPane sp:panes){ drag = (Draggable)sp.getChildren().get(0); dc = null; di = null; nestedPackage = false; if(drag instanceof DraggableClass){ dc = (DraggableClass)drag; packageName = dc.getPackageName(); name = ((Label)(dc.getNameBox().getChildren().get(0))).getText(); } else{ di = (DraggableInterface)drag; packageName = di.getPackageName(); name = ((Label)(di.getNameBox().getChildren().get(0))).getText(); name = name.replaceAll("<<",""); name = name.replaceAll(">>",""); } if(packageName.contains(".")){ nestedPackage=true; } if(nestedPackage){ //[.] == string literal of period String[] parts = packageName.split("[.]"); baseLocation = srcLocation+ "\\"; for(String s: parts){ File tempFile = new File(baseLocation+s); if(!tempFile.exists()){ tempFile.mkdir(); } baseLocation+=s + "\\"; } } else{ baseLocation = srcLocation; } if(!nestedPackage && !packageName.equals("")){ baseLocation = srcLocation + "\\" + packageName; File tempFile = new File(baseLocation); if(!tempFile.exists()){ tempFile.mkdir(); } } f = new File(baseLocation + "\\" + name+".java"); pw = new PrintWriter(f); if(dc != null){ pw.write(dc.toExportString()); pw.close(); } else{ pw.print(di.toExportString()); pw.close(); } } } /** * This method is here to satisfy the compiler, but isn't used by the actual * application * @param data * @param filePath * @throws IOException */ @Override public void importData(AppDataComponent data, String filePath) throws IOException { } }
github_open_source_100_1_106
Github OpenSource
Various open source
import java.util.Scanner; public class HitTheTarget { public static void main(String[] args) { Scanner input = new Scanner(System.in); int targetNumber = Integer.parseInt(input.nextLine()); int[] numbers = {1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20}; for (int i = 0; i < numbers.length; i++) { for (int j = 0; j < numbers.length; j++) { if (numbers[i] + numbers[j] == targetNumber){ System.out.printf("%d + %d = %d\n", numbers[i], numbers[j], targetNumber); } else if(numbers[i] - numbers[j] == targetNumber){ System.out.printf("%d - %d = %d\n", numbers[i], numbers[j], targetNumber); } } } } }
b22281411_12
German-PD
Public Domain
Diefe Frage geht allerdings fehr tief. Betrachtet man Huhn und Ei als Begriffe, fo wird man » ab ovo « anfangen miiffen; behandelt man fie als reale Dinge, fo fcheint es, dafs eine mäfsige Portion gefunden Menfchenverftandes dem Huhn die Priorität zuerkennen mufs, da ein Ei, namentlich ein noch ungelegtes, ohne dafs ein Huhn vorhanden ist, einen ziemlich erfolglofen »Kampf ums Dafein« führen möchte, während ein Huhn ohne Ei hierin giinftiger geftellt ist. Hiermit würde der gefunde Menfchenverftand freilich in einige Differenz mit der Häckel’fchen Phylogenie gerathen. Doch ist es mit dem gefunden Menfchenverftand jetzt eine eigene Sache. Manchem erfcheint es ein menfchen- wiirdiges Gefühl, an Darwin, Vogt und Hä ekel ftatt an einen Schöpfer zu glauben. De gußibus non est disputandum. Ein completes neues Syftem der Hiftiologie aufzuftellen, ist die Prätention diefer Arbeit nicht gewefen. Mit folchen Syftemen ist es wiederum eine eigene Sache. Es find Dinge und nicht Syfteme erfchaffen, und wenn diefe Dinge auch einen fchöpferifchen Gedanken enthalten, deffen Darlegung ein Syftem und zwar das einzige w a h r e Syftem fein würde, fo geht die Erfüllung diefer Aufgabe über das hinaus, was menfchliche Forfchung leiften kann. Die Syfteme, die wir aufftellen können, find des- halb nothwendig unvollkommen, und je fchärfer und confequenter fie formulirt werden, defto beftimmter mufs bei erweiterter Kenntnifs früher oder fpäter an gegebenen Punkten ihre Unrichtigkeit hervortreten. eigentlichen Bindegewebes behält dabei ihre unveränderte Bedeutung, nur dafs ich felbftverftändlich die darin vorkonnnenden Zellen als ein Accefforium, wenigftens nicht als begrifflich dazu gehörig, anerkennen kann. Der Gegenfatz zwifchen Zellen- gewebe und Bindegewebe im allgemeineren Sinne wird dann ein viel klarerer. In der gebräuchlichen Eintheilung, eine ganze Gruppe als »Gewebe der Bindefubftanz « zu bezeichnen und diefe dann im Einzelnen, wie z. B. in Kölliker’s 5. Auflage, als Einfache Bindefubftanz, Knorpelgewebe, Elaftifches Gewebe, Bindegewebe, Knochengewebe, aufzuführen, liegt etwas entfehieden Unlogifches. Zwei »Gewebe der Bindefubftanz « durch die Bezeichnungen des einen als »einfache Bindefubftanz«, des andern als »eigentliches Bindegewebe« unterfcheiden zu wollen, ist lediglich conventionell; denn, wenn beide »Gewebe der Bindefubftanz« find, können fie fich wirklich nicht dadurch unterfcheiden, dafs das eine Bindefub- ftanz, das andere Bindegewebe ist. Eine derartige Terminologie kann eine dauernde Bedeutung nicht beanfpruchen, und glaube ich fie deshalb nicht refpectiren zu rnüffen. Uebrigens würde ich einen bezeichnenderen Ausdruck vorziehen, aber für einen folchen ist die Frage noch nicht reif. Fibrilläre Gewebe, im Gegenfatz zu Zellengeweben, würde vielleicht einigermafsen zutreffen. Da aber in einigen derfelben der fibrilläre Charakter noch nicht nachgewiefen werden konnte, mag ich, obwohl er auch dort vorhanden fein mag, diefem Nach- weis nicht vorgreifen. Diejenigen Bindegewebe, wie Schale und Panzer, die Zellen nicht enthalten, alfo auch membranae propriae u. dergl., würden als incelluläre Gewebe kurz und deutlich bezeichnet werden können. Selbstverftändlich ist dies kein gegen folche Verfuche fprechender Grund, da fie trotzdem nothwendige Stufen der wiffenfchaftlichen Erkenntnifs bilden, und es ist ein hohes Verdienft eines begabten Geiftes, ein Syftem aufgeftellt zu haben, das für eine gewiffe Periode die Summe des erfahrungsmäfsigen Wiffens einer Disciplin zufammenfafste und die Einreihung der neuen Forfchungsrefultate geflattete. Dafs ein folches Syftem feine befchränkte Zeitdauer hat, hebt diefes Verdienft nicht auf. Einen folchen Preis beanfpruche ich in keiner Weife, und es fcheint mir eine folche Aufgabe augenblicklich als eine befonders fchwierige. Das Zufammenbrechen eines fo bedeutenden Syftems als das der Zellentheorie ist für die Wiffenfchaft, welche es beherrfcht hat, immer ein kritifcher Zu- ftand, und wenn man die Sprünge und Lücken, welche in feinem Gefüge entftanden, mit Worten hat zukleiftern wollen, wie es mit dem »Protoplasma« gefchehen ist, ftatt durch fie hindurch neue Gefichts- punkte zu fuchen, dann fteigert fich die Schwierigkeit. Das möchte ich aber verfuchen, diejenigen Lücken anzudeuten, die m. A. n. auszufüllen find, um wieder zu einem ähnlichen Syftem gelangen zu können. Da die Zelle als »Elementarorganismus« nicht mehr haltbar ist, kann die allerdings fehr be- queme Gewohnheit nicht mehr genügen, fie als Grenze der Forfchung zu acceptiren, d. h. wenn man ein »rundes Ding mit einem zweiten runden Ding darin« gefunden hat, fich damit zu beruhigen, dafs man nun an den Grenzen der Organifation angekommen fei. Die neuere Schule weifs dann freilich, dafs diefes Ding kriecht, frifst, trinkt, fich reproducirt, ja nachdem auch denkt, und nimmt nun an, dafs fie das perfonificirte Leben vor fich hat und daffelbe durch in Elolz gefchnittene Abbildungen, die wenigftens unter fich eine grofse Portraitähnlichkeit haben, verdeutlichen kann. Statt deffen gilt es m. Erachtens, die Elemente diefer complizirten Organifationen und zunächst den Inhalt der Zelle näher zu ftudiren, was bei fo riefenhaften Zellen, als viele Eier find. Ausficht auf Erfolg hat. Die bisherigen Unterfuchungen drehten fich zu einfeitig um die Frage: ob die Dotter- Elemente »Zellen« feien oder nicht, und mit einem Argument für die eine oder andere Meinung be- ruhigte man fich im Wefentlichen, weil ja nach der geltenden Theorie davon ihr Charakter als Orga- nismen abhing, während doch gerade dann, wenn fie keine Zellen find, es um fo wichtiger ist, ihrem Verhalten und ihrer Befchaffenheit auf den Grund zu kommen. Dafs fo beftimmte Formen, als die der Dotterkörper, auf Organifation beruhen, ist a priori wenigftens zu vermuthen. Dann handelt es fich um die Zellenmembran. Dafs die Membran der Ei -Zelle in einem gewiffen Entwicklungszuftande ein organifirtes Gewebe darftellt, ist m. A. n. eine festgeft eilte That- fache. Die Verfolgung ihrer Entwicklung nach rückwärts mtifste ergeben, ob fie in den früheren Stadien, wo die Exiftenz der Membran bis jetzt beftritten ist, wenigftens rudimentär, etwa in zarten Fafernetzen doch fchon vorhanden ist, was ich, wie fchon in der Einleitung gefagt, annehmen möchte, oder aus welchen anderen Anfängen fie fich entwickelt. So lange nicht eins von beiden nachgewiefen ist, bleibt die Frage der Zellenmembran Sache der Meinung. Nur aus beftimmterer Definition des Inhalts und der Membran der Zelle und deren Vergleichung mit den Entwicklungsftufen der zellenartigen Hohlräume in Bindegeweben, welche mir fo vielfach — z. B. in der Eifchale von Raja und Buccinum , auch im Byffus von Mytilus — entgegentraten, wird ferner zu beftimmen fein, in wie weit diefe Pfeudozellen von wirklichen Zellen fcharf zu trennen find. Bis jetzt habe ich für letztere das Kriterium fefthalten zu mtiffen geglaubt, dafs fie als Theilprodukte fchon vorhandener Zellen entftehen. Es befteht aber noch immer, worauf ich bei Erwähnung der Robin’fchen Auffaffungen zurückkommen werde, der Zweifel, ob nicht auch wirkliche Zellen aus an- deren organifirten Geweben, alfo nicht blofs durch Reproduktion entftehen können. Endlich fehe ich auch bei der Entwicklung der Gewebe des äufseren und inneren Keimblatts, alfo der epidermoidalen und epithetialen, einen noch ungelösten Zweifel. In der Einleitung habe ich kurz berührt, dafs nach der Entwicklung des Knorpels des fproffenden Rehgehörns, die bisher als Kerne bezeichneten Theile der Bindefubftanzzellen, einfchliefslich der fogenannten Kerne des Muskel- und wahrfcheinlich auch des Nervengewebes die wirklichen Zellen find, d. h. wie von den Knorpelzellen fchon allgemein anerkannt und nachgewiefen ist, Segmenten der Dotterhöhle entfprechen.*) *) Vergl. meine Abhandlung in Reichert’ s Archiv. 1869. 120 Wie es in diefer Beziehung mit den Zellengeweben im engeren Sinne fleht — ob z. B. in der Epidermis nicht auch der fogenannte Kern dem eigentlichen Zellenraum entfpricht, und die bisher als die wirkliche Zelle betrachtete äufsere Schicht ein extracelluläres, wenn auch fast immer in Zellen- territorien getheiltes Gewebe darftellt — dafür dürfte, wenn man den Muth hat, die Frage zu ftellen, in den bisherigen embryologifchen Unterfuchungen eine beftimmte Antwort fehlen. Für die Gewebe des mittleren Keimblatts liegt in dem Nachweife der Perfiftenz von Dotterkörnchen in der embryo- nalen Knorpelzelle eine folche Antwort. Aehnliche Beobachtungen an epidermoidalen Zellen habe ich nicht finden können, und die bekanntlich fo fehr controverfe Genefis der letzteren, fo wie die Ent- ftehung der als Schleim- und Eiterkörperchen bezeichneten Gebilde als Theilprodukte, die nur dem fogenannten Kern der Epithelialzellen entfprechen, macht diefe Frage zu keiner unmotivirten*). Auch an die noch ziemlich unklaren Verhältniffe der Samenelemente dürfte hier zu erinnern fein. Ich kann diefe Frage nur als eine noch offene betrachten. Ohne alfo ein umfaffendes und erfchöpfendes Syftem darftellen zu können oder zu wollen, glaube ich noch auf folgende allgemeinere Beziehungen der Anfchauungen, die fich aus der Reihe diefer Arbeiten ergeben haben, hinweifen zu dürfen. In der wefentlichen Einheit und dem Zufammenhange diefer Bindegewebe, die mindeftens den aus dem mittleren Keimblatt refultirenden Theil des Organismus überall durchziehen, kommt der Be- griff des Individuums zu einem präzifen und deutlichen Ausdruck und wird in einer Weife verftändlich, welche aus der Zellentheorie nicht zu entnehmen war. Diefe hatte dazu geführt, die »Selbftftändig- keit« der Zelle in einer geradezu carrikirten Weife zu betonen. Richtig ist freilich, dafs bei gewiffen niederen Thieren die Frage: was dort eigentlich das Individuum fei, fchwer und für jetzt vielleicht gar nicht zu beantworten ist; daraus aber entnehmen zu wollen, dafs der Begriff der Individualität ein nicht mehr haltbarer fei, wäre unberechtigt, und der Nachweis thierifcher Gewebe, in welchen die Zufammengehörigkeit der einzelnen Theile des Organismus fich documentirt, dürfte einen wefent- lichen Fortfehritt gegen die Auffaffung bieten, welche das Individuum nur als Conglomerat von Zellen hinftellt Diefes führt auf einen Vergleich mit der pflanzlichen Organifation. Das Vorkommen einer Art von Intercellularfubffanz in den Pflanzen ist von Schacht zwar nachgewiefen ; dafs fle aber eine erhebliche Bedeutung für das Leben der Pflanze habe, ist meines Wiffens noch niemals behauptet worden. Jedenfalls ist fle mit den Bindegeweben der thierifchen Organismen nicht in eine Linie zu ftellen, und incelluläre**) Gewebe kommen bei keiner Pflanze vor. Parallel hiermit fchwächt fich auch der Begriff der Individualität bei der Pflanze bedeutend ab, wenn er überhaupt hier noch aufrecht erhalten werden kann. Aus diefer Betrachtung fpringt mit tiberrafchender Schärfe ein Unterfchied der thierifchen von der pflanzlichen Organifation entgegen, der allerdings zu frappant ist, als dafs er gänzlich hätte über- fehen werden können, der aber doch feiner Bedeutung nach viel zu wenig gewürdigt fein dürfte. Wir finden das mittlere Keimblatt fogar vielfach als animales richtig bezeichnet, da aus ihm Gewebe, welchen diejenigen Functionen, die den Thieren, nicht aber den Pflanzen eigenthtimlich find, entfpringen, und doch wird mit diefer Unterfcheidung kein rechter Ernst gemacht. Die Schuld liegt hierbei an den Feffeln, in welche die Zellentheorie und ihre einfeitige Fest- haltung auch die bedeutendften Geifter fchlug. Dujardin’s Entdeckung der Sarcodc mufste in die Zellentheorie eingezwängt und, um dies zu ermöglichen, zum »Protoplasma« verfälfeht werden. Von der ganz willkürlichen Vorausfetznng aus, dafs jeder Organismus nur »zellig« fein könne, gingen folche irrationale Fragen, als die: ob die Infuforien »einzellig« oder »mehrzellig« . feien, aus. Argumente gegen beides liegen auf der Hand, und ist demnach die folchermafsen falfch geflehte Frage eine un- *) Vergl. Fig. 91, 92 u. 147, fo wie den entfprechenden Text in Frey ’s Hiftiologie, 2. Auflage. **) Leider weifs ich einen beffern Terminus zur Bezeichnung gänzlich zellenlofer und auch genetifch nicht auf die Zellenform zurückführbarer Gewebe nicht vorzufchlagen. Er fchliefst die Verwechslung mit »intracellulär« erfahrungsmäfsig nicht vollftändig aus, aber »acellulär« würde Barbarismus fein, einigermafsen auch »uncellulär«. »Nicht cellular« ist freilich deutlich, aber nicht ein Wort. 121 lösbare geworden. Abgefehen davon, ob die Infuforien einzelne Zellen enthalten oder nicht, worüber ich mir keine Meinung anmafse, fcheint es mir für eine unbefangene Aufifaffung ganz klar, dafs fie eben kein zeitiger Organismus find, dafs fie aus Sarkode oder — wie ich es ausdriicken mufs — aus incellulären oder Bindegeweben beftehen. Gegen die Sarkode ist meines Wiffens, abgefehen davon, dafs man fie in die Zellentheorie nicht einreihen konnte, alfo nicht anerkennen durfte oder wollte, nur das geltend gemacht, dafs in einzelnen Fällen Sonderung vermeintlicher Sarkode in Zellen auf trat oder vermeintliche Zellen zu Sarkode verfchmolzen. Ich glaube gezeigt zu haben, dafs Septirung in Pfeudo-Zellen ein häufiger Vorgang in Bindegeweben ist, und abgefehen von der Conjugation, die ein befonderer charakteriftifcher Act ist und keineswegs etwas der Sarkode ähnliches producirt, würde das gänzliche Verfchwinden des cellulären Charakters eines cellulären Gewebes etwas fo abnormes fein, dafs man wohl Zweifel hegen darf, fo lange es fich nur um optifche Eindrücke handelt, die von Refraktionsphänomenen bedingt werden*). Uebrigens ist wohl nie an einem Infuforium eine Sonderung der Sarkode in Zellen beobachtet worden, und dafs Spongien nicht blofs aus Zellen beftehen, liegt auf der flachen Hand. Von allem Uebrigen abgefehen, ftellt fich das fogenannte hornige Fafergeriist **), das fich an dem gewöhnlichen Badefchwamm fo leicht unterfuchen läfst, als ein unzweifelhaft incellu- läres Gewebe heraus. Alfo auch bei den niedrigften Thierformen und gerade bei ihnen am entfchiedenften treten die incellulären oder Bindegewebe auf, die den Pflanzen gänzlich fehlen, und ftellt dies eine iiberrafchend fcharfe Grenzlinie zwifchen Thieren und Pflanzen, auf deren Abwefenheit die materialiftifche Hypothefe fo grofses Gewicht legen mufs, her. Wenn bei kleinften Organismen unfere Beobachtungsmethoden nicht ausreichen möchten, um ein Sarkode-Körperchen von einer einzelligen Pflanze zu unterfcheiden, fo ändert dies nichts an der Natur der Dinge, die ja von dem geringeren oder höheren Grade unferer Fähigkeiten oder unferer Unwiffenheit nicht alterirt wird. Uebrigens behauptet Robin***), durch chemifche Reaktion auf Am- moniak auch in folchen Fällen den Unterfchied conftatiren zu können, worüber ich mir ein Urtheil nicht erlaube. Wenn bei den Gefchlechtsprodukten eine gewiffe prinzipielle Uebereinftimmung — denn von Identität kann ja felbstverftändlich auch nicht einmal bei verfchiedenen Spezies deffelben Reiches die Rede fein — herrfchen follte ; wenn fogar das noch in der Furchung begriffene Ei oder der Larvenzuftand gewiffer Thiere in gewiffen Stadien rein celluläre Gewebe zeigt, und andrerfeits auch die Membran der Pflanzenzelle Anknüpfungspunkte an die Struktur -Elemente der Bindegewebe dar- bietet, fo kann eine folche Harmonie der pflanzlichen und thierifchen Schöpfung nicht tiberrafchen und ändert Nichts daran, dafs entwickelte Thiere und entwickelte Pflanzen wefentlich verfchieden find. Ich habe ohne Bedenken den Ausdruck »Sarkode« acceptirt und würde es für ganz angemeflen erachten, ihn beizubehalten oder wieder zur verdienten Geltung zu bringen als Bezeichnung für die- *) Diefes bedarf vielleicht der Erläuterung: zarte Septen machen fich dem Beobachter optifch nur dadurch bemerkbar, dafs der Brechungsindex ihrer Subftanz ein etwas verfchiedener von dem des Inhalts, gewöhnlich ein ftärkerer ist. Aendert fich der Brechungsindex des Inhalts, z. B. dadurch, dafs letzterer dichter wird, fo kann der Unterfchied fich foweit ausgleichen, dafs die Septen für den Beobachter verfchwinden; damit würde aber die wirkliche Struktur eines folchen Gewebes nicht ver- ändert fein. **) Diefes Fafergeriist als »hornig« zu bezeichnen, was wenigfiens in allgemeineren zoologifchen Werken gefchieht, hat man fich wohl erlauben zu dürfen geglaubt, weil allerdings kein Sachkundiger daran denken kann, hier ein wirkliches Horngewebe zu fuchen. Reifst aber eine folche Unfitte erst ein, fo ist die Grenze fchwer zu finden. In Hoffmann’s Jahresbericht für 1S74 finde ich pag. 418, dafs Schenk dem Rochen-Ei aufser einer fafrigen auch eine »hornige« oder vielmehr gar drei hornige Schichten giebt. Es wird fogar von »Keratin« gefprochen. Ich habe vom Ei von Kaja clavata zu erwähnen gehabt, wie leicht an den in Seewaffer macerirten Schalen deffelben, mit Ausnahme der pfeudo- cellulären Vacuolenfchicht, der durchweg fibrilläre Charakter nachzuweifen fleht. Dies mag an frifchen Schalen von K. quadrimaculata nicht der Fall fein, aber von Horn im hiftiologifchen Sinne darf felbstverftändlich nicht gefprochen werden. Dies nebenbei zu bemerken lag nahe. Das Fafergerüst des Badefchwamms ist eines derjenigen Gewebe, die nach ihrer Refiftenz gegen Alkalien einen Ueber- gang von Elaftin zu Chitin bilden. Bei energifcher Behandlung mit alkalifcher Lauge aufgequollen, contrahirt es fich wieder auf Zufatz von Effigfäure und ist, wenn die Lauge nicht zu zerftörend gewirkt hat, dann der fibrilläre Charakter des Gewebes, wenigfiens der Corticalfchicht der Fäden, an einzelnen Stellen ziemlich deutlich. ***) Anatomie & Phyfiologie cellulaires. Paris 1S73. pag. 280. JF. von Natliusius- Königsborn. 16 122 jenigen incellulären Gewebe, deren wirkliche Struktur noch nicht ergründet werden kann, für welche alfo ein allgemeiner unpräjudizirlicher Ausdruck erwünfcht ist. Es würde fogar geftattet fein, »Proto- plasma« als Bezeichnung für noch in der Bildung begriffene Gewebe beizubehalten, wie es ja z. B. bei den Bildungszuftänden der Muskelfafer für die jiingften Theile des Gewebes, die noch keine Form er- kennen laffen, auch von folchen gebraucht wird, die fich von den Verirrungen der Protoplasma-Hypo- thefen fern gehalten haben. Es würde aber dann die Anwendung auf extracelluläre unfertige Gewebe befchränkt werden müffen , und nicht nur der bisherige Mifsbrauch , fondern auch der Umftand , dafs Protoplasma in der Botanik eine beftimmte und unanfechtbare Bezeichnung gewiffer Theile des Zellen- inhalts ist, macht diefes unzuläffig. Solche allgemeinere Betrachtungen bieten unvermeidlicher Weife mannichfache Angriffspunkte dar, und bin ich mir deffen wohl bewufst, dafs es eine gewiffe Kühnheit war, fie zu wagen, darf alfo wohl daran erinnern, dafs der Nachweis lebender und wachfender, aber dabei incellu- lärer Organismen in den Panzern und Schalen, fo wie in dem Byffus von Mytilus , den ich ge- führt zu haben denke, von dem nicht alterirt wird, was an diefen allgemeineren Betrachtungen beftreit- bar fein könnte, und dafs mit diefem Nachweis die Annahme der Zelle als ausfchliefslichem Elementar- Organismus, mag man ihn als Cyta. Cytode , Plaßide oder Biont zu benamfen für gut finden, unver- einbar ist. In die Sarkode, deren Struktur zu erkennen wir noch nicht im Stande find, konnte man mit einem gewiffen Aufwande von Phantafie die Fiction eines Conglomerats von »Plaftiden» hereintragen, die nachweisbare, wohl definirte Struktur der Panzer und Schalen fchliefst eine folche phantaftifche Fiction abfolut aus. Bevor ich fchliefse, mufs ich noch zweier Werke gedenken, deren Erfcheinen in die Zeit fällt, wo ich mit diefen Arbeiten fchon befchäftigt war, und die erst zu meiner Kenntnifs gelangten, als die Refultate der Letzteren fchon niedergefchrieben waren, fo dafs ich diefe Werke bis hierher nur durch einige kurze Einfchiebungen berückfichtigen konnte. Sie greifen fo tief in mein Thema ein , dafs es an’gemeffen erfcheint, nun hier noch etwas näher auf fie einzugehen. Es find die in den Sitzungsberichten der Wiener Akademie der Wiffenfchaften von 1873 (Band LVII und LVIII) erfchienenen 5 Abhandlungen von Heitzmann: »Unterfuchungen über das Protoplasma« und das felbftftändige , ebenfalls 1873 erfchienene Werk von Robin: »Anatomie et phyfiologie cellulaires«. Heitzmann hat unter Anwendung der ftärkften Objectiv-Syfteme, wieder H ar t n a ck ’fchen No. 15 in Amöben, Blutkörperchen des Krebfes, farblofen Blutkörperchen des Triton und des Menfchen und in Coloftrumkörperchen eine Struktur gefehen , welche er derartig befchreibt , dafs die Körnchen, welche diefe Organismen enthalten, durch »Speichen« oder Fädchen mit den benachbarten Körnchen zufammenhängen, fo dafs fich ein Netz- oder Mafchenwerk bildet. Ein ähnliches Netz fieht er, meiftens die Vergoldung oder Verfilberung zu Hülfe nehmend, in der Grundfubftanz des hyalinen Knorpels und im Zufammenhang mit den Fäden deffelben fpeichenartige Fortfätze des »Protoplasma» des Knorpel- Körperchens. In dem letzteren felbst foll durch Vacuolenbildung ein ähnliches , wenn auch dichteres Netz vorhanden fein, und endlich der Kern aus noch dichterem ähnlichen Gewebe beftehen. Entfprechende Angaben werden für die meiften Bindegewebe und Bindefubftanzen gemacht und auch auf Epithelien ausgedehnt. Diefes Alles wird zu einem förmlichen Syftem verallgemeinert, in welchem die »Zelle« fo gut als bedeutungslos wird, wogegen »lebende Materie« im Kern und dem »Protoplasmakörper«, — d. h. der Zelle im älteren Sinne — der fich durch »Schalenbildung« — d. h. Membran — abgrenzen kann, dichter angehäuft, die Grundfubftanz mit einem Netz- oder Mafchenwerk durchzieht , in deffen Interfti- zien die charakteriftifchen, z. B. die leimgebenden Subftanzen, je nach Umftänden mit Kalkfalzen ver- bunden , abgelagert find. Im Befonderen wird diefes Syftem auf den ofteogenen Prozefs und die 123 pathologifchen Zuftände von Knochen und Knorpel angewendet, worauf ich hier nicht weiter eingehen möchte. Es ist ohnehin fchwierig genug, in fo kurzer Wiedergabe den Sinn des Autors zu treffen. Was die von Heitzmann mitgetheilten thatfächlichen Befunde betrifft, fo fcheinen fie mir wefentlich in Harmonie mit den hier ausgefprochenen Auffaffungen zu flehen. Das Fafernetz in den Amöben, Blutkörperchen und Leucocyten läfst ihr fogenanntes Protoplasma als eine Form des Binde- gewebes erfcheinen und macht ihre Contractilität , die nicht Eigenfchaft einer Subftanz , fondern nur einer Gewebesform fein kann, verftändlich*). Die Prüfung der von Heitzmann gegebenen Abbil- dungen der Struktur zahlreicher Bindefubftanzen — leider fehlen folche von Amöben, Blutkörperchen und Leucocyten — ergiebt bei den Goldpräparaten der fibrillären Bindegewebe (Fig. 5 und 7 zu Ab- handlung II) eine entfchiedene Querftreifung der Fibrillen und ihrer Bündel und zwar eine eben- falls auf Fafern zurückzuführende; befonders bei Fig. 7. Auch im Text wird der an Rifsftellen, welche der Längsfaferung folgen, hervorragenden P'afern als »Zäckchen« gedacht. Bei den Silberpräparaten zeigen diefelben Objecte allerdings ein unregelmäfsigeres Netz, wie die ofteogenen Gewebe überhaupt, in welchen das ganze Bild undeutlicher wird und nur elaftifche Platten quergeftreift, fowie Zellen- und Kernmembrane radiär geftreift find. Ohne diefe Beobachtungen bemängeln oder beftätigen zu können , würde ich eine folche Er- weiterung des Nachweifes fibrillärer Struktur in den Zwifchenfubftanzen und der Querftreifung in fibril- lären Bindegeweben, als fich vollftändig an meine Auffaffungen anfchliefsend, gern acceptiren, aber das Syftem, das Heitzmann auf feine Unterfuchungen begründen zu können glaubt, mufs gerechte Be- denken erwecken. Es bietet eifi Beifpiel davon, wie gefährlich es ist, von einer zwar nicht unbeträcht- lichen Zahl von Unterfuchungsobjecten aus, die aber doch gegen das ganze Gebiet der Hiftiologie verfchwindend klein ist, Alles bisher angenommene auf den Kopf flehen zu wollen. Eine folche totale Leugnung der Bedeutung der Zelle, eine folche Verwifchung des Unterfchiedes zwifchen extracellulärer und intracellulärer Organifation wäre nicht nur ein entfchiedener Rückfchritt, fondern ist auch unver- einbar mit den thatfächlichen Befunden an vielen anderen von Heitzmann nicht beriickfichtigten Unterfuchungsobjecten, namentlich an dem Ei, diefem Prototyp der Zelle. Ein Hühner-Ei zeigt uns diefes Prototyp in fo erheblichen Dimenfionen , dafs etwas dem H e i t z m ann ’ fchen Schema der Organifation Aehnliches darin leicht nachweisbar fein mtifste, wenn es wirklich vorhanden wäre ; es ist aber überall das Gegentheil diefes Schema nachweisbar. Wo follen im Dotter Netze lebender Materie vorhanden fein? Wo find »Speichen« in den Fafernetzen der Dotterhaut zu finden? Schon Heitz- manns eigene Abbildungen der wirklichen Objecte zeigen in dem Zelleninhalt nirgends das Netz, das er in dem Schema auf S. 156 der Ilten Abhandlung abbildet. Wie man ferner die Dotterfurchung, ja den ganzen Vorgang der Zellentheilung und der Gemination , der wenn er auch nicht die einzige Form der Zellenbildung fein follte, doch immer in gewiffen Fällen eine unleugbare Realität hat, mit dem gegebenen Schema in ungezwungene Verbindung bringen will, ist unerfindlich. Auch die Orga- nifation der Panzer und Schalen wüfste ich in diefem Schema nicht unterzubringen. *) Wie man einen folchen .Organismus als ein kernlofes Blutkörperchen , wenn man es als keinerlei cellulare Elemente enthaltend, fondern nur als aus einer bindegewebsartigen Faferflruktur beftehend betrachtet, bezeichnen will, ftelle ich anheim. Dafs folche Organismen, wenn auch nur teratologifcli in Dimenfionen und unter Umfländen Vorkommen, bei welchen über eine folche Struktur kein Zweifel ist, zeigen einzelne der von Haushühnern fo häufig gelegten fogenannten Spur-Eier. In Bd. XIX d. Z. f. wilfenfch. Zool. Fig. 24 habe ich ein folches Spur-Ei abgebildet, in welchem Dotter nicht nachweisbar war, und diefe Verhältnilfe pag. 339 erörtert. Diefes Ei, obgleich es einen Dotter nicht befafs, hatte eine normale Faferhaut und eine Kalkfchale, deren Struktur allerdings wie bei andern Spur-Eiern teratologifche Abweichungen von der normalen haben mochte, gebildet, und fein Inhalt war wirkliches Eiweifs von im Wefentliclien normaler Struktur. Hier haben wir alfo einen folchen ab- gefchloffenen Organismus, der Nichts von dem enthält, was das Ei als cellular charakterifirt , und doch als ein Ei, wenn auch als ein abnormes bezeichnet werden mufs. Uebrigens ist a. a. O. fchon angeführt, dafs die meiflen Spur- Eier Dotter enthalten, nur zuweilen in fo geringen kaum nachweisbaren Spuren in die Faferhäute des Eiweifses eingehüllt, dafs ich nicht behaupten kann und mag, dafs minima von Dotter-Elementen auch in dem Fig. 24 abgebildeten Spur-Ei gefehlt haben. Träte Aehnliches bei einem Organismus von der Kleinheit eines Blutkörperchens ein, fo wäre es abfolut unnachweisbar. Dafs bei Eiern ein fo wichtiger Beftandtheil als der Dotter fehlen kann, macht es vielleicht weniger befremdlich , dafs in Blutkörperchen der Mamma- lien der fogenannte Kern fehlt, während er bei Vögeln doch vorhanden ist. 16 124 Warum denn immer das Kind mit dem Bade ausfchütten und fich aus einem Extrem in das andere ftürzen ? Warum foll denn, weil allerdings in den Bindefubftanzen und den Geweben der nie- deren Thiere nicht alles Zelle ist, nun auf einmal gar Nichts mehr Zelle fein? Und wo bleibt denn fchliefslich die wefentliche Aehnlichkeit der pflanzlichen und der thierifchen Zelle, denn das Heitz- mann’fche Schema ist doch auf die Pflanzenzelle gänzlich unanwendbar. Gerade aus der Anerkennung einer extracellulären Organifation fcheint mir die biologifche und phyfiologifche Wichtigkeit der Zelle um fo fchärfer hervorzutreten. Solche Polaritäten , wie fie im Gegenfatz der extracellulären und der intracellulären Organifation liegen, find häufig die Bedingung lebhafterer Aktion und ich fehe eine grofse Bedeutung darin, dafs wie einerfeits dem niedrigeren pflanzlichen Organismus die extracellulären Gewebe fehlen, die incellulären Gewebe der Thiere theils nur äufseren Zwecken dienen und trägere Aktion befitzen , während die höheren Lebensfunktionen in Nerv und Muskel an das neben einander Vorkommen von beiderlei Organifation geknüpft erfcheinen. Ohne alfo den hohen Werth der H e i t z ma n n ’ fchen Unterfuchungen , was neue Thatfachen betrifft, verkennen zu wollen, und obgleich ich im fpeziellen in feiner Theorie der Ofteogenefe, na- mentlich in der Annahme eines, auch bei der Umfchmelzung der Grundfubftanz perfiftirenden Gewebes, eine fehr befriedigende Klärung diefes Vorganges fehen würde, mufs ich das allgemeine Schema der Organifation, welches er aufftellt, als ein nicht genügend begründetes betrachten; aber fchon in einem Verfuch etwas Durchdachteres an die Stelle des nichtsfagenden Protoplasma zu fetzen, liegt etwas Verdienstliches. Das Robin’fche Werk ist ein zu bedeutendes, um hier in feiner Totalität auch nur einiger- mafsen gewürdigt werden zu können. Seine Gegnerfchaft gegen die V ir chow ’fche Cellulärpathologie und gegen Zellentheorie überhaupt, infoweit als letztere die gefammte Organifation unter das Schema der Zelle bringen will, mtiffen in wiffenfchaftlichen Kreifen als bekannt vorausgefetzt werden, wenn fie es vielleicht auch in Deutfchland nicht in dem Mafse find, als die eingehende Gründlichkeit feiner Be- handlung diefer P'ragen, und die Originalität und Unbefangenheit feiner Auffaffungen verdienen. Dem Thema meiner Arbeiten widmet er ein tieferes Eingehen, als es fonst in hiftiologifchen Werken der Fall ist, und diefe Beziehungen darf ich nicht mit Stillfchweigen übergehen. Leicht ist es nicht, fie in der Kürze völlig klar zu ftellen, denn in dem, was einerfeits Robins grofses Verdienft ist, nämlich diefes durchaus befonnene Zurückweifen jedes Generalifirens und Syftematifirens, das über die Thatfachen hinausgeht, liegt andrerfeits die Gefahr, dafs feine Meinungen nicht mit voller Schärfe und Klarheit hervortreten. Ein klar und confequent durchgeführter Ausdruck einer Meinung implizirt fchon eine Theorie oder ein Syftem , und wo man ein folches nicht aufftellen will oder darf, mufs eine gewiffe Unklar- heit bleiben. In dem I. Capitel Theil I über die anatomifche Befchaffenheit der Zellen führt Robin pag. 4 aus, dafs nicht fämmtliche anatomifche Elemente Zellen feien oder auch nur früher waren , und fährt fort: »Endlich find viele fkelettartige Organe der Echinodermen, Polypen und Cephalopoden , die fo häufig mit complicirter Struktur verfehenen Chitin-Decken der Gliederthiere, die befonderen Ei-Hüllen der Vögel, Reptilien, Selachier und Cephalopoden, der Zahnfchmelz, die Linfenkapfel, die Scheide der Chorda dorfalis , die tumcae propriae der Driifen etc. ohne jeglichen cellulären Charakter, in welcher Periode ihrer Entwicklung man fie auch beobachten möge«*). Diefe Zufammenftellung der Panzer und Schalen mit anderen Objecten, denen Robin an anderen Orten den organifirten Charakter zu vindiziren fcheint, fowie der Ausdruck -»organes squeletti- ques « fcheint keinen Zweifel darüber zu laffen, dafs er diefe fämmtlichen nicht cellulären Bildungen als organifirt betrachtet. Liest man dann aber das VI. Capitel 2ten Theils: des elements non cellnlaires tant calcaires, *) Enfin, beaucoup d’organes squelettiques des echinodermes, des polypiers, des cephalopodes , les teguments chitineux ä structure souvent si complexe des articules, les enveloppes speciales des oeufs des oiseaux, des reptiles, des selaciens, des cepha- lopodes, l’email dentaire, la capsule du cristallin, la gaine de la notocorde, les parois propres des tubes glandulaires etc., n’ont aucun des caracteres des elements celluleux a quelque periode de leur evolution qu’on les obferve. 125 que chitineux , fo wird man doch über R ob ins eigentliche Meinung bezüglich der organifirten Be- fchaffenheit der Panzer- und Schalenbildungen zweifelhaft. Geht auch aus dem, was Robin über Mollusken - Schalen , Cruftaceen -Panzer und Ei -Hüllen lagt, hervor, dafs er eigne Unterfuchungen über diefelben angeftellt hat, und verlieht es fich auch bei einem folchen Forfcher von felbst, dafs diefe meift richtige Refultate gegeben haben, fo find fie doch nicht umfaffend genug. So ist es eine fehr erhebliche Lücke, dafs von Gaftropoden-Gehäufen nur die Randmembran von Helix erwähnt wird. Gerade die Struktur der Gaftropoden -Gehäufe, wie ich fie von Strombus im Speziellen befchrieben habe, dürfte geeignet gewefen fein, Robins Auffaffungen wefentlich zu modifiziren. Was auf pag. 137 über das Perlmutter gefagt ist*), weicht fo vollftändig von dem Befunde beim eigentlichen Perlmutter ab, dafs ein Forfcher von Robins Bedeutung dabei unmöglich diefes vor Augen gehabt haben kann. Prismatifches Gefüge kommt allerdings , wie ich nachgewiefen habe, auch dem Perlmutter zu und ist bei Nautilus auch fchon ohne Aetzung fehr deutlich, aber ftets find diefe Prismen rechtwinklig auf die Schalenfläche gefleht und nie laufen fie in Kegel aus. Wohl aber pafst die Befchreibung auf die blaue Schicht von Mytilus , und mufs Robin diefe oder eine ähnliche vor fich gehabt haben. Am beften ftimmt fie mit dem überein, was Carpenter von Terebratula und Lima abbildet. Ferner ist es nicht richtig, dafs die Borften des Cruftaceen-Panzers immer durch alle Panzer- Schichten durchgehen, bis auf die darunter liegende Haut reichen, und ihr Central -Kanal ftets zellen- artige Vacuolen darftellt, wie pag. 141 gefagt wird. Meine Abbildung Fig. 20 A Taf. IV zeigt, dafs fie auch auf der Oberfläche eingelenkt fein und einen einfach cylindrifchen Kanal, der eine Fortfetzung der Papille ist, auf welcher fie flehen, enthalten können ; und gerade diefe Borften, die Anhängfel des Panzers felbst und Nichts von ihm wefentlich Verfchiedenes find, charakterifiren fich auf das Be- ftimmtefte als Organifationen. Wenn endlich Robin die Fafern der Schalenhaut der Eier nicht als wirkliche Fafern aner- kennen will, fondern (pag. 132) diefelben mit Cofte als ein Driifenfekret betrachtet, fo ist dies nur möglich, weil er ihre ftrikte Analogie mit den Fafern der Dotterhaut tiberfieht und ihre complizirte Zu- fammenfetzung bei den Vögeln und ihr röhrenförmiger Bau und ihre keulenförmigen Endungen bei Reptilien ihm unbekannt geblieben waren. Ich kann ebendafelbst die Meinung, dafs deutliche, fo zu fagen handgreifliche Faferbildungen nur als eine Uebertreibung ( exageration ) der in Eiweifsmembranen und ähnlichen Organismen fich zeigenden Streifung ( etat flrie ) feien, nicht billigen. Es liegt doch wahrlich näher, wenn man häufig Fafern beflimmt nachweifen kann und zuweilen in analogen Geweben nur Andeutung von Streifung fieht , die erfteren als das Wirkliche , die letztere als den undeutlichen Ausdruck der erfteren zu betrachten. Beftimmt und ausdrücklich beftreitet übrigens Robin den organifirten Charakter der Panzer- und Schalenbildungen auch in diefem Capitel nicht, wenn er aber fchliefslich Analogien zwifchen ihrer Struktur und den Calcosphäriten , die Harting auf mechanifch-chemifchem Wege erzeugt hat, fehen will, fo mlifste er confequenter Weife ihren organifirten Charakter leugnen. Eines Theils liegt diefe Unklarheit wohl daran, dafs es Robin hauptfächlich auf die Negation einer cellularen Bildung der Panzer und Schalen ankommt , worin ich vollftändig mit ihm überein- ftimme und mich einer fo bedeutenden Bundesgenoffenfchaft dankbar erfreue ; anderntheils aber in einer gewiffen Unklarheit, die mit Nothwendigkeit aus Robins Definition der » subßance orga- nifee « folgt. Schon in einer Anmerkung zu S. 22 meiner einleitenden Bemerkungen ist verfucht, gegen die Confequenzen der Thefe, dafs Organifation von Struktur -Eigenfchaften unabhängig fei, Verwahrung einzulegen, es mufs aber doch noch einmal darauf eingegangen werden. *) Die Stelle lautet im Original: La nacre ou couche interne, irisee, est formee de prismes morphologiquement ana- logues au precedents, — nämlich der Prismen der Wabenfchicht, die Robin als » le tet ou test proprement dit« bezeichnet — mais beaucoup plus petits et pourvus d'une ligne centrale plus foncee que le reste. Ils sont disposes tres-obliquement par rap- port ä la surface du test et viennent se terminer par une extremite amincie conique. I2Ö Am vollftändigften drückt Robin feine Auffaffung der Organifation im Cap. III des erften Theils aus, ich wage aber das pofitive Refultat nicht in kurzen Sätzen wiederzugeben. Auch hier kommt es ihm hauptfächlich darauf an, hervorzuheben, dafs die Organifation nicht an beftimmte For- men, als Zelle, Nucleus, Fafer, Röhre oder dergleichen gebunden fei, und man wird vielen Sätzen, wie z. B. dem, dafs die Organifation etwas anderes fei, als einfach eine phyfifche oder mechanifche Dispofition der Theilchen, dafs es fich nicht um etwas Mafchinelles handle, dafs ihre Wefenheit fich nicht direkt durch das Auge, auch wenn es mit den ftärkften Vergröfserungen bewaffnet fei, erkennen laffe, dafs Organismus und Mechanismus etwas durchaus verfchiedenes feien , dafs endlich die auf ver- fchiedenen Wegen zu conftatirenden Lebens- Aeufserungen das allein entfcheidende Kriterium für das Vorhandenfein der Organifation ausmachten, vollftändig beipflichten können; aber man wird eine Lücke fühlen, und diefe fehe ich darin, dafs der Gegenfatz zwifchen Organifation und unbelebtem Stoff ein vollftändig unklarer bleibt; dafs gar kein Grund für die grofse und entfcheidende Thatfache, dafs Organifation niemals autogen aus todtem Stoff hervorgehen kann, dafs fie immer von einer Ichon vor- handenen Organifation tradirt oder reproducirt werden mufs*), aus demjenigen, was Robin von der mutiere organifee fagt, hervorgeht , obgleich er doch ihren Gegenfatz gegen die mutiere brüte auch feinerfeits fefthält. Wäre er hierin vollftändig klar, fo könnte er nicht auf pag. 592 über Bennetts molekuläre Theorie der Organifation fich wie folgt ausfprechen : »Wenn man die folgenden Sätze des ausgezeichneten Edinburger Pathologen mit demjenigen » vergleicht, was ich an den oben angeführten Stellen ausgefprochen habe , wird man fehen , dafs in » vielen Punkten unfere Lehre übereinftimmt. Er fagt : Die letzten Elemente des Organismus find »nicht die Zellen und eben fo wenig die Kerne, fondern kleine Partikelchen, welche felbstftändige » phyfifche und vitale Eigenfchaften befitzen , vermöge deren fie fich zu höheren Geftaltungen ver- » einigen und ordnen. Diefe Geftaltungen find die Kerne, die Zellen, die Fafern, die Membrane. Alle » diefe können fich direkt aus diefen Molekülen bilden. Die Entwicklung und das Wachsthum der » Gewebe wird bewirkt durch die Bildung hiftogenetifcher und hiftolytifcher Moleküle , welche fich »unter einander verbinden, fowohl innerhalb als aufserhalb der Zelle; aber es ist weder der Kern » noch die Zelle, welche dabei als Centrum agiren « **). Wie eine Uebereinftimmung im Wefentlichen mit Robin ’s Ausfpruch, dafs Organifation von Geftaltung, von Struktur unabhängig fei, hierin gefunden werden kann, ist mir unbegreiflich. Diefe Bennett’ fehen Moleküle find doch offenbar etwas ganz anderes , als Atome oder Moleküle im chemifchen Sinn. Sie find ja eben ein Strukturverhältnifs. Im Einzelnen liefse fich gegen die Bennett’fche Ausdrucksweife Einiges einwenden, was um fo weniger zu verwundern ist, als feine Werke fchon vor 20 Jahren publizirt find. Ich möchte nament- lich das moniren, dafs fich Zelle, Kern, Membran und Fafer jedes direkt aus den Molekülen bilden foll, und eher dazu neigen, die Zelle , wenn zunächft von ihrem Inhalt abftrahirt wird , aus der Mem- *) Ich überfehe hierbei nicht, dafs immer wieder die Verfuche erneuert werden, Organismen aus todtem Stoff abzu- leiten, und dafs man es neuerdings wieder möglich gemacht hat, in diefer Beziehung wenigftens eine Controverfe anzuregen. Das ist aber auch gegen die am fefteften flehenden Wahrheiten ftets möglich. Wäre die autogene Entftehung von Organismen aus todtem Stoff ein natürlicher oder der natürliche Vorgang, fo würde fie uns auf Tritt und Schritt entgegentreten, es könnte gar nicht fchwer fein, Hunderte von Beifpielen dafür anzugeben; aber es find umgekehrt immer mehr Fälle, die man früher auf folche Vorgänge zurückführte, als einfache Reproduktion vorhandener Organismen nachgewiefen , und dafs man in einzelnen Fällen Zweifel dagegen geltend machen kann, dafs' der Beweis eines Reproduktionsvorganges vollftändig geführt fei, hat keine Bedeutung gegenüber der erdrückenden Malle des Beweismaterials das gegen die generatio originaria fpricht. **) En lisant les pages suivants de 1’ eminent pathologiste d’Edimbourg, comparativement aux pages qui viennent d’etre indiquees, on verra que nous soutenons en bien des points la meine doctrine. Les Elements ultimes de l’organisme ne sont point des cellules, ni des noyaux, dit-il, mais de petites particules possedant des proprietes physiques et vitales independantes, en vertu desquelles eiles s’unissent et s’arrangent pour constituer des formes plus elevees. Ces formes sont les noyaux, les cellules, les fibres, les membranes. Le developpement et la croissance des tissus s’operent par la formation de molecules histo- genetiques et histolytiques, pouvant s’unir entre eiles ici en dedans, lä en dehors des cellules; mais ce n’est point le noyau ni la cellule qui agissent comme centre. 127 bran und die Membran aus der Fafer hervorgehen zu fehen, fo dafs die Fafer das einfachere diefer Formelemente wäre, wenn auch zwifchen ihr und den letzten Elementarorganismen noch andere uns bis jetzt unbekannte Zwifchenftufen liegen möchten. Ueberhaupt gelangen wir mit den »Molekülen« zu weit auf das Gebiet der Spekulation, denn fie find nichts Beobachtetes, fondern eine Abftrak- tion, und es fcheint mir richtiger zu fein, wenn man fich begnügt anzuerkennen, dafs überhaupt Struk- tur die nothwendige Bedingung der Organifation ist , und die Aufgabe der Hiftiologie darin befteht, diefe Struktur, fo weit als für die Beobachtung möglich ist, zu verfolgen, aber von Spekulationen lieh fern zu halten. Ein eigenthiimlicher Umftand trägt gewifs wefentlich dazu bei, dafs R o b i n dem Standpunkt : Struktur als die Grundlage der Organifation anzuerkennen, ferner bleibt. Merkwürdiger Weife hält er an dem cellulären Urfprunge der fibrillären Elemente des Bindegewebes fest , und mufs deshalb auch den wahrhaft fibrillären Charakter incellulärer Gewebe , wie z. B. der Eimembrane , wie wir gefehen haben, beftreiten ; und doch ist diefer celluläre Urfprung der Fibrillen d. h. ihre Entftehung als Aus- läufer fpindelförmiger Bindegewebskörper niemals nachgewiefen , fondern nur von der Vorausfetzung aus, dafs alle organifchen Geftaltungen cellulär fein miifsten, vermuthet worden, und jetzt wohl ziem- lich allgemein aufgegeben. Auch in Bezug auf die Muskelfafer hält R o b i n noch an dem intracellulären Urfprung fest, und fcheinen ihm die W a g e ner ’ fehen Unterfuchungen gänzlich unbekannt geblieben zu fein, was allerdings bei dem fyftematifchen Todtfchweigen, das gegen diefelben in Deutfchland ftattfindet, nicht zu verwundern ist. In noch einer Beziehung finde ich Veranlaffung , mich mit den Ro bin’ fehen Auffaffungen auseinanderzufetzen, nämlich bezüglich feiner » noyaux embryoplastiques » und der Entftehung des Knor- pels. Einer der erheblichften Widerfprüche, welche er gegen die deutfehe Zellentheorie, wie fich die- felbe darin allerdings weit über Schwann herausgehend entwickelt hat, fefthält, befteht darin, dafs er die autogene Bildung von Kernen in feiner » amorphen organifirten Subftanz « annimmt , und auf eine folche freie Kernbildung die Entftehung der Gewebe in überwiegendem Mafse zurückführt. Ueber die Hauptfrage : ob hier wirklich Neubildung oder blofs Reproduktion durch fortdauernde Segmen- tation oder Gemination der vorhandenen Kerne oder Zellen ftattfindet , erlaube ich mir ein Urtheil nicht. Wenn es auch richtig ist, dafs felbst in den in lebhafter Entwicklung begriffenen Geweben, fich in dem Acte der Segmentation begriffene Zellen oder Kerne viel feltener finden , als nach der Meinung, dafs diefer Vorgang die alleinige Quelle neuer Zellenbildung fei, erwartet werden miifste, fo bleibt die Möglichkeit , dafs er fich mit folcher Schnelligkeit vollzieht , dafs hierüber hinweg- zukommen ist. Jedenfalls fcheint die autogene Entftehung der »embryoplaftifchen Kerne« aus der als formlos betrachteten organifirten Materie auch von R o b i n nicht in dem Sinne wirklich beobachtet zu fein , dafs Anfänge derfelben oder Uebergänge zum fertig gebildeten Nucleus wirklich zur An- fchauung gelangt find. Aufserdem kann ich nicht beftätigen , dafs die Segmentation nur bei folchen Zellen oder Kernen eintritt , die eine gewiffe normale Gröfse erreicht haben. In dem jugendlichen Knorpelgewebe des fproffenden Rehgehörns finde ich die allerdings nur ganz einzeln aufzufindenden, in Segmentation begriffenen Zellen nur unter den kleinften Individuen. Endlich ist mir Folgendes für R o b i n s Auffaffung fehr bedenklich : Fände freie, autogene Kernbildung in einer vorher vorhandenen formlofen organifirten Materie ftatt , fo wäre zu erwarten , dafs letztere fich im jüngften Gewebe in reichlicheren Schichten mit nur einzeln eingefprengten Kernen fände. Nach R ob ins eigener Angabe verhält es fich aber fo, dafs gerade in den jüngften Schichten die Zwifchenfubftanz am fpärlichften ist und erst in den älteren Schichten reichlicher auftritt. Dies fpricht nicht dafür, dafs die Zelle fich aus der Zwifchenfubftanz bildet, fondern eher dafür, dafs die Zwifchenfubftanz durch die Zellen entfteht. Doch diefes nur beiläufig. Die Frage hat, fobald anerkannt wird, dafs die Zelle kein Elementar- organismus ist, dafs auch aufser der Zelle Organifation befteht, gar keine fo tief greifende Bedeutung mehr. Ob der Satz : omnis cellula e celltda richtig bleibt, ist verhältnifsmäfsig gleichgültig , fobald nur befteht , dafs überhaupt Organifation nicht autogen aus todtem Stoff entfpringt , fondern Repro- duktion vorhandener Organifation ist. 128 Hiervon alfo abgefehen, ist kein Zweifel, dafs R ob ins noyaitx embryoplaßiques identifch mit den Gebilden find, die ich in den Jugendzuftänden der Bindefubftanzen als Zellen betrachten zu müffen glaubte*), und hieran allerdings weitgehende Folgerungen über die Bedeutung der fogenannten Zwifchenfubftanzen knüpfte. Ich finde bei reiflicher Prüfung in R ob in ’s Werk keinen Beweis dafür, dafs diefe fogenannten noyanx embryoplaßiqiies wirklich Kerne und keine Zellen find. Diefen Beweis aus ihrer Entftehung zu führen, ist für Robin unmöglich, da fie nach ihm » par genese «**) ent- liehen follen, alfo eine Beziehung zu fchon vorhandenen Zellen oder Kernen nicht befteht. Er fcheint ihn in ihrer Weiterentwicklung zu fehen, indem er angiebt, dafs fich z. B. bei der Knorpelbildung um den Kern, welcher zuerst ganz allein die durch die Zwifchenfubftanz begrenzte Höhle ausfülle, allmälig eine amorphe, feinkörnige Subftanz innerhalb der erweiterten Höhle ablagere, die der eigentliche Zellenkörper fei (pag. 363 u. ff.). Die beigefügte Fig. 70 lieht aber mit diefer Darftellung in entfchie- denem Widerfpruch. Dort haben die vermeintlichen Kerne durchfchnittlich fchon diefelbe Gröfse, als die Zellen, die fich aus ihnen entwickelt haben follen. Der Unterfchied zwifchen beiderlei Gebilden befteht nur darin, dafs in letzteren ein Kern fichtbar ist, in erfteren nicht; es mtifste fich alfo nach Robin ’s Auffaffung des Vorganges der Kern erheblich verkleinert haben, während fich der Zellkörper in der nicht wefentlich vergröfserten Knorpelhöhle um ihn ablagerte. Es liegt doch näher, anzunehmen, dafs ein früher nicht wahrnehmbarer Kern fpäter zur Erfcheinung kommt. Ebenfo ergiebt Fig. 74 (die Darftellung der caudalen Verlängerung eines Embryo vom Rind) die fogenannten noyaux embryo- plaßiques im Innern des Gewebes erheblich gröfser, als die Kerne der Zellen, welche die äufseren Schichten bilden. Diefe Zellen follen nun allerdings nicht autogen entftanden, fondern Segmente der Eizelle fein und bald verfchwinden, worauf fich aber die Annahme eines fo verfchiedenen Urfprungs diefer unmittelbar aneinander ftofsenden Schichten begründet, ist nicht erfichtlich. Ich finde (vergl. die fchon angeführte Arbeit in Reichert ’s Archiv, 1869) in den jiingften Knorpelgeweben des fproffenden Rehgehörns beim Zerzupfen in indifferenten Flüffigkeiten zarte, klare Zellen bis auf 7,5 4 längften Durchmeffer herabgehend, mit einem oder mehreren glänzenden Kernen, zuweilen in Segmentirung begriffen. In den älteren Schichten nimmt, während fie fich allmälig mit einer zart gekörnten, häufig fpindelförmigen Hülle umgeben, ihre Gröfse zu, bis fie die der Zellen des fertigen Knorpels (14 p längften Durchmeffer und mehr) vollftändig erreichen, während die Zwifchen- fubftanz des Knorpels unverkennbare Andeutungen davon zeigt, dafs fie den Hüllen der durch Zer- zupfen ifolirten Zellen entfpricht. Mit gutem Grund glaube ich alfo dabei beharren zu müffen, dafs es fich hier um Zellen und nicht um freie Kerne handelt, und auch Robin ’s noyaux embryoplaßiques Zellen und nicht Kerne find. Bei den epidermoidalen Geweben ilellt fich der Vorgang vollftändig anders dar, wie diefes auch von Robin ganz richtig angegeben wird. Bei gewiffen Horngeweben wenigftens ist er un- zweifelhaft fo, als ihn Robin in feiner Fig. 25 abbildet und im Text erläutert: dafs nämlich in der *) Ueber die Markfubftanz etc. in Reichert ’s Archiv. 1869. pag. 90 u. ff. **) Genese in dem Sinne Robin’s kennt wenigftens das Dictionnaire de l’Academie in der nach der 8. Auflage bear- beiteten deutfchen Ausgabe noch nicht. Dort gilt es ausfchliefslich für «Genefis« als Bezeichnung der erften fünf Bücher der heiligen Schrift. Sicher darf man das Wort auch im weiteren Sinne gebrauchen, aber es erfcheint mir in jeder Beziehung will- kürlich, zwifchen Genese und Generation einen Unterfchied machen, und noch willkürlicher, dem Wort naissance, wie es gefchieht, feine klare und unbeftreitbare Bedeutung nehmen zu wollen und es für eine präfumtive Form der erften Entftehung zu ge- brauchen. Ganz unverftändlich ist mir aber für einen franzöfifchen Autor die Behauptung: dafs Formation für die Bildung von Organismen nicht angew’endet werden dürfe (vergl. pag. 174: Le terme naissance dans le sens le plus general, en un mot, ne s’applique qu’au fait de l’apparition des corps organises en un point oü ils n’existaient pas, et le terme formation n’est applicable qu’au fait de l’apparition d’une ou de plusieurs especes de corps bruts , de composes chimiques). Mein Dictionnaire de l’Aca- demie führt als Beifpiel für die Bedeutung von Formation ausdrücklich an: La formation de l’enfant dans le ventre de la mere. Trotz diefes willkürlichen Gebrauchs der Terminologie wird ja dem aufmerkfamen Lefer des I. Capitels, 2. Abfchnitts, 3. Theils der Gedanke, den er auszudrücken fucht, ziemlich deutlich; und es würde hier zu weit führen, die Ausdrucksweife entwirren zu wollen. Es genügt festzuhalten, dafs Robin unter Genese, oder beftimmter ausgedrückt Autogenese, hier die Zellenbildung aus vermeintlich formlofer, organifirter Materie, ohne Descendenz von vorhandenen Zellen oder Kernen, be- zeichnen will.
bpt6k4642291g_2
French-PD-Newspapers
Public Domain
» Il n'est pas question de porter atteinte au principe d'égalité démocratique qu'a. consacré définitivement la loi. de deux ans. Qu'on ne mette point la politique où elle n'a que faire ! Il s'agit de la Patrie, de sa défense. C'est assez pour que les républicains ne laissent à personne l'honneur des initiatives bravement prises et. des sacrifices. noblement consentis. Pour arrêter ses résolutions, le gouvernement de la République n'a attendu l'initiative d'aucun parti; il a. vu poindre un danger pour la nation, et aussitôt il a recherché les moyens de l'en préserver. » Le gouvernement a fait son devoir qui était de proposer des mesures de salut public. Nous, patriotes républicains, accomplissons le nôtre, qui est de ne marchander rien de ce qui peut être nécessaire à la sécurité nationale. » L'échec de la. loi présentée par le gouvernement, d'accord avec l'unanimité des membres du conseil supérieur de la guerre, serait pour la France une défaite morale. Si cette défaite, hélas .! en entraînait une autre, quelle affreuse responsabilité pèserait sur ceux qui, par imprévoyance, utopie ou bassesse d'Orne, auraient déconseillé où paralysé l'effort, sauveur ! Cette responsabilité, quel est le cœur léger qui, malgré la. leçon de nos revers, la. voudrait accepter ? La République a-relevé la France, elle lui a donné un admirable empire colonial et assuré des alliances et des amitités précieuses; de quel nom appeler ceux qui la découragent de poursuivre son œuvre et qui se résignent a une patrie diminuée ? ». Républicains, pour rester dignes de, ces quarante ans d'un'"; histoire glorieuse dont Gambetta, Ferry et. Carnot furent les initiateurs, la Patrie demande à nos fils le sacrifice d'une année de plus de leur jeunesse. Ils ont déjà répondu, et, le Parlement, avec eux et avec nous répondra : Oui, sans hésitation ni réticence, car nous voulons demain, comme toujours, une France libre, forte et respectée. j) Pour la commission centrale exéeutive et par mandat spéci'at. ? » Vive la. France ! Vive la République ! )&gt; Le président : A. CAHNOT, membre de l'Instit.ut. » CHRONIQUE ARTISTIQUE Nouvelles générales de la semaine M. Bérard, sous-secrétaire' d'Etat des beaux arts,. a inauguré dimanche dernier, iL Versailles, le Salon des amis des arts. ■vu, M. Henry Marcel, le nouveau directeur des musées nationaux et de l'école du Louvre, a pris officiellement vendredi soir possession de ses nouvelles fonctions, dans lesquelles M. Léon Bérard, sons-secrétaire d'Etat aux beaux-arts, a tenu à l'installer lui-même. vw Un très beau portrait. du grand peintre Roll, par Lévy-Dhurmcr, qui fut très admiré à l'exposition des pastellistes, vient d'être acquis .par l'Etat, pour le musée du Luxembourg. iw Les intentions du comité qui présidait à la formation, du Salon des refusés se sont corn"plètement modifiées. Il n'y aura pas de Salon des refusés, mais une Société mutuelle d'artistes peintres, sculpteurs et décorateurs, ayant pour but des expositions annuelles, tant en France qu'à l'étranger, est en formation. Les adhérents se sont réunis vendredi et en ont voté à l'unanimité les statuts. Cinquante membres environ étaient présents. Un grand nombre d'artistes avaient envoyé leur adhésion. ■wv. Une nouvelle vacation de la vente Krae-mer a eu, lieu à Paris au début de la semaine écoulée. L'enchère la plus élevée a été celle des quatre panneaux décoratifs, par Frago-nard, qui ont atteint un prix supérieur à celui que l'on escomptait; sur une demande de 200,000 fr. faite par l'expert, M. Ferai, ils sont montés à 355,000 fr. Ces panneaux, peints un peu dans le goût de Boucher, représentaient une « Bergère », un « Jardinier », une « Vendangeuse » et un « Moissonneur ». Une toile, Je (c Portrait de la reine Marie-Antoinette ». par Mme Vigée-Lebrun, a fait aussi un gro.5 prix : 180,000 fr. Le portrait présumé de la fille de l'artiste, par la même, a fait 43,000 fr.,La u' Vicomtesse, de Suffren » et la « Marquise de Verdun *&gt;, également par Mme Vigée-Lebrun, ont fait respectivement 20,000 fr. et 27,000 fr. Le « Retour de la campagne H, par Watt eau, a fait 24,000 fr. Un Lawrence, la K Jeune fille au turban », a fait 2,800 fr. « Tha-lie », par Nattier, 15,000 fr. Les « Lavandières », bords d'un lac italien, par Hubert Robert, 20;000' fl'.' •' 'vw A signaler également la vente de la collection Louis Baudouin o1)plusieuN; toiles du maître Harpignies ont fait 14, 15 et 25,000 fr.; des Dupré, des Daubigny, des Ziem ont atteint des chiffres âusM élevés."Urrbeaii" riu de Hen-ner « Nvmphe au bois », a trouvé acquéreur à 16,600 fr. vw On annonce Ja mort d'un peintre au fa,lent délicat, M. Gaston Hochard, dont les toiles étaient justemerft remarquées à .la Société nationale des beaux-arts. Le défunt était âgé de 50 ans à peine. 3es obsèques ont eu lieu à Orléans, '&lt;' , S. Duny. Les premières à Paris CHAMPS-ELVSÉËS. — (( PÓnélope », poème lyrique en trois actes, de M. René Fauchoia, musique de M. Gabriel Fauré. (Compte rendu du « Petit, Parisien ».) Vous savez qui est Pénélope : Homère nous [t raconté son histoire. Le divin poète a fait d'elle — excellent modèle pour les femmes modernes — le type de l'épouse veri:ueu'se, fidèle à ses devoirs, gardienne du foyer domestique, occupée à distribuer leur tàcliè tâche aux 'servantes laborieuses et tissant elle-même les*vêtements de son mari, le roi d'Ithaque, Ulysse, et de son fils, Télémaque. Ulysse part pour la guerre de Troie. Il y reste dix ans. Après la prise de, la ville asiatique, Ulysse, met encore dix ans à rentrer dans sa patrie. Pendant ce temps, -Pénélope est courtisée par de nombreux prétendants, qui se disputent sa main. Elle envoie Télémaque sur un navire, à la recherche de son père, et élle' éloigne par 'toutes sortes de ruses le moment où," à la p t,,i ce du mari que l'on dit mort, elle pourra être obligée de faire un choix parmi les prétendants. L'une de ces ruses est restée célèbre. Pénélope a déclare aux prétendants qu'elle ne se marierait pas avant d'avoir-achevé un grand suaire destiné à envelopper le corps de Laerte, le-père d'Ulysse, quand il mourra... Au bout de trois ans, le suaire n'e'st pas achevé. Pénélope défait la nuit ce qu'elle a tissé le jour ; de la est venue l'expression proverbiale •: It la toile die Pénélope ». « Chaque nuit, écrivait Charles Nodier, en parlant d'un roman commencé, détruisait l'ouvrage du jour, et chaque Jour, cependant, je recommençais, avec l'intrépid'e constance de Pénélope... » Mais, enfin, Pénélope, sur le conseil de Minerve, promet d'-épouser celui des prétendant qui tendra l'arc d'Ulysse. Les prétendants s'y essaient, et ne réussissent pas. Un mendiant se présente pour l'épreuve redoutable. Le poète.-.nous a dit que ce mendiant c'est Ulysse M-meme, en-fin de retour. Les prétendants se moquent du téméraire. -Ulysse tend 1 arc et il se sert de ses flèches pour massascrer les prétendants. A cette preuve de vigueur, si bien conservée après vingt ans d'absence, Pénélope reconnaît son mari et tombe dans ses bras. M. René Fauchois a suivi le poème homérique, il l'a porté au théâtre avec non moins de simplicité que d'adresse. Le premier acte nous démontre Pénélope au milieu des prétendants, et comment la ruse qu'elle oppose à leurs instances est découverte. Elle se désespère; mais un nouveau personnage est apparu : c'est le mendiant, que la reine accueille avec bonté et que les prétendants raillent à l'envi. Au deuxième acte, la reine interroge le mendiant, qui est sur le point de se trahir; ce n'est, que lorsque la reine est partie que le sage Ulysse découvre à son peuple son identité." Le troisième acte représente l'épisode de l'arc, le massacrt1 des prétendants, et enfin la reconnaissance d'Ulysse' et de Pénélope, qui s'étreignent, pendant que le peuple acclame son roi retrouvé et sa reine fidèle. Deux mots caractériseront la partition de M.. * Gabriel Fa1lré : c'est une œuvre pure et noble. Par là, elle se rattache aux grandes et saines traditions de l'art musical. Pure et noble, elle n'est point, pour cela, sévère et froide. Elle témoigne en même temps une sensibilité, une grâce, une délicatesse qui affirment son originalité. Toute La pureté, toute l'harmonie, toute la perfection de l'art grec revivent en elle, non point grâce à des formules conventionnelles et en quelque sorte hiératiques, mais par un sentiment profond de la poésie antique. « Ce n'est pas, a dit l'un des assistants de la première audition,-l'apparence et le vêtement de la-Grèce que le compositeur restitue, c'est l'âme qu'il ressuscite. Et c'est ce sentiment original, exquis et pén'étrant de la beauté antique, de sa poésie, de son ordre et de son rythme qui fait le prix et le charme de « Pénélope » et la rend unique parmi les œuvres lyriques d'aujourd'hui. » Ce jugement auquel, nourri de l'antiquité. depuis l'enfance, je m'associe pleinement, est. définitif. Le théâtre des Champs-Elysées a donné: à « Pénélope » une interprétation rare. Mlle 1.ucienne Bréval a traduit le personnage de la reine d'Ithaque avec la belle fierté, la mélancolie émouvante, la passion noble que le rôle comporte; M. Muratore a chanté le rôle d'U-Ivsse avec l'ardeur et la chaleur communicative qu'on lui connaît. Tous deux ont été ,acclamés, On unira'à leur succo.s leurs camarades : MM. Tirmorit, Blan-card, Dangrès; Mlles Thévenet et Barthèze, les peintres Roussel et Mouveau pour leurs décors pittoresques: M. Ibels, pour ses costumc-s; l'orchestre, le,s chœurs et enfin la direction qui, en présentant « Pénélope » comme elle l'a fait, rend un hommage éclatant à un éminent compositeur français. : Chronique Locale NOUVELLES GÉNÉRALES Les céréales en Charente •Le ministère de l'agriculture a publié récemment un tableau que nous ayons reproduit don nant les chiffres de la production totale des: céréales en France pendant l'année 1912. Dans l'ensemble, le département de la Charente figure pour les chiffres qui suivent : Blé, 1,527,400 hectolitres OUi 1,191,400 quintaux pour 109,100 hectares. Moyenne, 14 hectolitres. Valeur, 33,835,000 fr. Paille, 2,882,700 quintaux. Avoine, 1,195,200 hedol. ou 597,000 quintaux pour 49,800 hectares. Moyenne, 24 hectohi. Valeur,. 12,519,700 fr. Paille, 896,100 quintaux. Orge, 116,000 hectol. Valeur, 1,494,400 fr. &lt;• Paille, 74,000 quintaux. Seigle, 85,000 hectol. Valeur, 1 million 215,300 francs. Paille, 180,200 quintaux. Méteil, 20,800 hectol. Valeur, ,285,000 fr. Paille, 38,000 quintaux.. Maïs, 117.000 hec t. ou 72.500 quintaux, pourune surface, ensemencée de 11,700 hectares. Va* leur, 1,780,600 fr. Contributions indirectes M. Maistre, receveur mixte à bicyclette 2" classe des contributions indirectes à Cognac, est nommé commis principal-chef de poste 2" classe à Toulon. M. Bages, receveur à cheval 36 classe Lou-!ay (Charente-Inférieure), est nomme receveur mjxto à bicyclette 3e classe à Cognac. VI LLcnx, commis-adjoint 1 " classe à Ruffec, est nommé commis principal à cheval 5e classe à Ruffec. M. Hélias, commis-adjoint 3° classe à Pont-d'Oii'dly (Calvados), est nommé commis 3e classe à Cognac. M. Debray, receveur princinal, entreposeur dl; 3° classe à Cognac (Charente), est élevé à la classe... .. M. La la, préposé en chef d'octroi à Cognad (Charente), est. nomnJÓ receveur ambulant de 3e classe (3.000 francs) « hors cadre ». Les caisses d'épargne de l'ouest et du Sud-Ouest Dimanche et lundi a. eu lieu à La Rochelle la 4e conférence des caisses d'épargne de l'ouest et du, su-d-ouest de la France. Les caisses d'Aligoulème et de Cognac y étaient représentées-".. On sait que la 3e, conférence eutlieu en 1912 à Angoulême. Deux cent vingt-cinq délégués, représentant 145 caisses, 1.800.000 déposants et un milliard de francs d'épargne,' assistaient à la. conférence de La Rochelle, qui s'est occupée notamment de Pavant-projet de revi'sio.n de la loi du 20 juillet 1895, préparé par une corn-mission spéciale nommes par ],-,t conférence générale des caisses d'épargne de France. Cet avant-projet accorde aux caisses d'épargne plus d'indépendance dans leur gestion et de latitude dans l'emploi de leurs fonds. La. conférence a repo'u'&amp;sé, dimanche maciin, les clauses autorisant l'empio'i des fonds des déposants en valeurs d'Etats étrangers, es.' compte de papier de commerce et prêts sur hypothèques. La conférence a adopté les propositions sudr vantes : 1 ° Les fonds des déposants seront gÓtés, commue pa.r l,e passé, par la Ca.isse des dépôts et consignations, mais sous ta. surveillance d'une commission dans laquelle les caisse# seront largement représentées; 2° Les variations dUr taux de rùiter'Gt alloué ,uux caisses seront ramenées de vingt-cinq à cinq centimés; 3° Des pénalités importantes frapperont les établissements usurpant -le nom de caisses d'éptargne; 4°, Le chiffre .maximum des dépôts sera: porté de 1.500 francs, à. 2.000 francs; celui des versements annuels sera; fixé à 8.000 frarfbs; 5° Les livrets rie pourront être payâtes à tout porteur; {)o La conférence repousse la clause tendant à consacrer vingt-cinq pour cent du fonds de réserve des caisses aux habitations à bon marché et oeuvres similair'.e.s. Dimanche soir à t'lU lieu à Lhôte! de ville de La Iloehelle une brillante' réception des délégués ''par la munioipa.uté. M. Georges Paulet, directeur de l'assurance et de la prévoyance sociales au ministère du Travail, y assistait. Lundi, la conférence a poursuivi ses travaux. Instruction publique M. Lacroix, licencié ès-sciences, surveillant d'internat au lycée Henri IV, est délégué clans les fonctions de professeur de physique, 1er ordre, 6e classe, au collège de Confolens, en remplacement ': de M. Maupin, appelé à une autre rési,d-eiice. M. Baillot, licencié ès-lettres, répétiteur au collège de Cognât;, est chargé à titre de suppléant des fonctiuns de professeur de philosophie et lettres, lor ordre, G' classe au collège de Loudun, pendant la durée du congé accordé à M. LegH;Y. Un congé du 1er au SI mai 1913, est accordé, sur s.a, demande et pour raisons de santé, 11 Mme Corsas; surveillante d'externat au col.lège de jeunes filles d'Angoulême... ANGOULÊME La conférence de M. le sénateur Strauss Nous avons annoncé pour le mardi lo mai, à 8 'heure-s ~ du soir, salle Philharmonique à Angoulème, une conférence de M. Paul Strauss, sénateur de le. Seine, sur le sujet suivant : Assistance maternelle et protection du premier •jy.' le'sénateur Strauss, qui a accepté la présidence d'iioriiïeur de la Ligue Charentaise' contre Ja .iïiQrt,alité infantile, est un conférencier dont la renommée a dépassé -iios frontières : président, du conseil supérieur' de l'Assistance publique, président de la Ligue nationale contre la. mortalité infantile, rapporteur général de la commission de dépopulation, il s'es.t consacra tout entier à. la lutte contre la crise de dépopulation dont la France -res,seiit les premières atteintes. C'est donc une conférence de premier ordre et d'une incontestable utilité que celle qui nous sera donnée mardi .soir. Patriotes soucieux de l'avenir de notre pay-s, mères de familles, tous tiendront à l'aller écouter. Elle .comportera des enseignements précieux'pour tous ceux qui ont .souci de l'hygiène maternelle et infantile ; ]a, parole éloquente de rémittent orateur et-de l'ardent apôtre qu'est M..le sénateur Strauss sera un attrait de plus. Victime de son intempérance Dimanche, M. Louis Fétis, habitant rue Fontehaudière, étant ivre, voulut monter, malgré l'opposition du 'conducteur, dans une voiture qui passait route de Bordeaux; il tomba sera® les roues qui lui passèrent s-ur une jambe et le blessèrent -assez sérieusement pour nécessiter son transport à rhôpdtal. Société charentaise d'apiculture La Société d'apiculture tiendra sa 3" réunion de l'année le dimanche 18 mai, à 1 heure hdu soir, au rucher départemental d'expériences, rue Saint-Martin : Ordre du jour : 10 Mise en œuvre à titre d'essai dans la chambre à couvain de cire gaufrée de 73G cellules a.u dmq; 2° .Moyens à employer pouf posséder, des cette année, une ru-chette et le matériel nécessaire à la fabrication des reines; 3° Projets de visites aux ruchers des .sociétaires; 4° Examen d'une pétition de M. Ali-n Caillas et signature s'il y a lieu; 5° transvasement au rucher par MM. Naulin père et fils par l'une des méthodes préconisées; G° questions diverses. Accidents de bicyclette Un jeune homme, âgé de 17 ans, M. Marcelin Maires, habitant iGarat, qui avait fait aine chute de bicyclette " aux environs de lîouex, a été conduit en voiture, dimanche soii-r, il, Angoujlême. Après avoir reçu des soins de M. le docteur Ma in tenon fils, le blessé, qtii' avait une double fracture du brais gauche, a été reconduit à son domicile. iwv M. Kléber Ledait, dix-neuf ans, manœuvre, habitant rue du Gond, avant voulu des-,. cendre à 'bicyclettela rampe du Chemin de fer, alla se jeter sur un'carriiéttqui: passait avenue Gambetta. L'imprudent, grièvement blessé, fut trans-. porté a La phar-ma-c.Le'voieme, puis à son domicile.. Concours de photographies de ruchers A la suite d'un vote de pri.ncip.c'-cmLS à l'assemblée générale du 15 décembre 1912, le 'bureau de Ta Société charentaise d'apiculliire a décidé d'organiser cette année, un concours de photographies de ruchers^ Le règlement a été adopté à la, dernière réunioïr-de la Société. En voici les grandes lignes : ' , Le concours est ouvert dès maintenant, mais pour les ^sociétaires seulement Les envois, qui devrontêtre faits avant le l'-'1 septembre, sous plis recommandé, à M. P. Grenier, trésorier-archiviste, comporteront deux épreuves : 1° Une vue d'ensemble (lu rucher: £o:ïme opération effectuée dans le. rucher (dimension, mini ma, 8 | xll). Le classement sera'établi paf-1 s ~ s;-.in s du-bureau de la Société, ;qui s'adjoindra un photügra phe d'Angoulême. Le.s prix, qui consisteront en diplômes offerts par la Société centrale d'apiculture et d'insec-tologie de France, et par la Société charentaise .seront remis aux intéressés k&gt;rs ...de.;-la foire ., aux miels des 18 et. 19 octobre. Les épreuvesenvoyées par les lauréatsseront exposées pendant les deux jours de foire et seront reproduites dans l' « Apiculteur », organe de 1a. Société. Chambre des notaires •Les notaires de l'arrondissement (l'Angoulême, réunis en assemblée générale, ont compoiSÓ leur .chamhre de la manière suivante : Président, M. Gallut, notaire à Magnac; syndic, M. Lescuras, notaire à T.arochefoucauÏd ; rapporteur M. Belzaguy, notaire à Blanzac ; secrétaire, M. llouriotil%,,, notaire à Angoulème; trésorier, M. Dieudonné, notaire à Lavalette; membres : MM. Ménard, notaire à Vars, et Clerfeuille, notaire-Ji Rouillac. Violente scène de ménage Lundi -soir, vers 9 heures une violente scène de ménage a eu lieu entre les époux F..., demeurant rue des 'l'Po is-.N o 11-e-1) aiyi .. F.., qui ava.it bu plus que de raison, aurait frappe sa fennne; blessée à une main,' avec un ra:;.oir croit-on, cette dernière saisit une bouteille et la brisa sur la tète de son mari. Sérieusement bles',&lt;'', F... a reçu des soins dfe M. le docteur Gauthier. La police procède à une cnq'uctc, Vol Mme Sicault, demeurant rue du Champ-dc-Foirc, ayant dépose son sa.c Il main dans son panier à provisions, alors 'qu'eiïe faisait ses achats au marché cou''ert, a .été victime de son imprudence. Ellc a constaté que le sac Et main, ainsi qu'une, somme de 17 ) fr. qui y était .contenue lui avait été'vo]é. Elle n'a ,eu d'antre recoure que de déposer une plainte à la .police. Les plue beaux Bijoux pour Mariages; à tous les prix. Maison Anaclet, Angoulème. Bureau militaire M. Jcnn-'Y-,éonard Mons'paud est invité h se présenter à ]a. mairie d'Angollltr.nc, bureau militaire, pour y retirer une médaille coloniale. Soirée Massenet Nous rapnelons &lt;t!)'un-e so'rée doit être donnée mercredi .1L mai. salle Phi.Ulurmon.iqnc, à la mémoire du maître Massenet. Elle est, nous dit-on, .sous le patronage de quelques dames de la ville grandes admiratrices de sa musique. Mlle Berthe de Cartigny, l'organisatrice, a mis à son programme le nom de Mlle Germaine Martinelli, la cantatrice connue; le ténor 'Mario, qui chantera des passages de (t, Manon » et de « Werther »; Mme Ventenat; M. E. Bmnereau, qui jouera, avec une de ses élèves qui est déjà une artiste, 'etc... 'wr, Nous rappelons que l'on prend des places en location pour le concert-conférence de gala à: la mémoire de Massenet sans .augmentation de prix, au théâtre. Renseignements 'VI. Réclamer un. trousseau de des au res-tanrant Tripelon, 16, rue Saint-Hoch. vw Réclamer à M. le capitaine Compain, 21, rempart: de Bcaulieu, une petite croix or et émail qu'il a trouvée sur la voie publique. Bagues de fiançailles : du simple anneau d or aux diamants de grands prix. Maison Anaclet. Le temps Mardi 13 mai, 133® jour de l'année* durée du jour, l'i î]l 2Ù;,-. lever du soleil,.4 h.. 25; coucher du soi e if, à. 7 h. 29,..... Prcssjan .bairopiétriqjue.-ad ..niveau': du lieu, 751 rnil. ni.it.!). ' Pression baromÉtrique au niveau de la mer, 7W mU. 7. ■■ Température maxima de -l'a. vejne, 17°5. ..: minima de La rouît, 7°9. — à 9 heures du matin, 19°. Hauteur d'eau tombée en millimètres, 12,1 Etat hygrométrique ou humidité de l'air, 9k .Direction et intensité du N-ent, S.rG., mod. Etat du ciel et état, amosphérique, couvert. J '[révisions pour les 2i heures : Dépression N.-O.; temps som'ji'e, frais et menaçant; quelques averses vont, se pr.odu.irc; faibles éclair ci es ; oscillation du vent entre S.-o. et No l'aAhIa baisse barométrique.,— A L)nxî.to A. BONNIN. GUERISON DES INFIRMITÉS Boiteries diverses, difformités et déviations du dos et des membres Que de cas l'on croit définitivement :incurables qui pourtant sont toujours susceptibles, grâce à des soins particuliers, de s'amender, même jusqu'à la guérison complète '? Notamment certaines boiteries, d'origine soit congénitale, soit accidentelle. Nous sommes heureux de rappeler la Mé-t.hoder fruit d'une expérience déjà longue, créée par le Docteur Salmon, dans ce vaste établissement qu'est l'Institut Orthopédique de Canteleu-Lille (Nord), où ces affections sont spécialement traitées avec le pins constant succès, ainsi, du reste, que les luxations de toute nature, coxalgies, pieds-bots, pieds ,plats, déviations du dos (scoliose, mal de Pott), maladie de Little (raideur des bras et des jambes), rhumatisme chronique, etc... Le Docteur Salmon obtient la réduction de ces diverses déformations sans nppardls, sans corsets orthopédiques, sans opérations sanglantes, sans immobilisation des malades, à tout âge et quelle que soit la gravité du cas. Pour rendre plus commode aux intéressés leur examen, le Docteur Salmon a décidé de se rendre dans notre région et il nous prie d'informer le public qu'il donnera lui-même ses consultations à Angoulême, hôtel de France, le lundi 19 mai. LE DEPARTEMENT Aigre "-"AJ II vient de se créer, a Aigre, sous la. présidence de M. Delhoume, conseiller gêneral, une société de secouns mutuels cantonale. Ont été élus membres (ln bureau : Président M. Delhoume; vice-président&amp; : MM. Brisson, de Chante merle ; BriBnt, de Barbezière; Faure père, d'Aigre; Billochon, de Ltix,(,; Ardeau, de Tusson; secrétaire : M. Elle Pailloux; secrétaire adjoint : .M. Robert jJe311peau; trésorier : 'M. Thomas trésorier-adjomt : M...llené Faure. Barbezieux iwuEtat civil de Barbe-vieux. _: Naissances : Le 21. avril, Jüan-Hcnri-Janies Meynard, rue Elie-Yinet; le 25, Paulette-Marcelle Pan-netfer, à Bôtuchet; le 30, Ilenri-Louis Charn-baud, rue d&gt;'Angoulème; le 1er maL, Joseph-Henri-Marcel. Robert, rue Thomas-Vêillon , Je -21 bimone-Méloée-Juliette IvIiet, au Larry. ; le 3, Nadine-Christiane Carmagnac, rue de l'Abattoir; le 4, Roger Gallet, route de Saint-Bonnet; le 5, Jeanine-Marguerite Butté, place du Marché; le 5, Raoul-Gaston Doublet, à laitance. , Pu'biieati-oa de mariage : François-Joseph D estions,. prcslesseur de français à Viesbaden (Allemagne), "et Charlotte-Emma Sac Ils "à S tut-gard: (Allemagne). Mariages ; Le 26, Georges-Côlestin-Winiam Girard, sous-ofûcier au 42a de Mgne à Belfort, et Blanche-Irène Nivet, employée de commerce à Barbezieux ; le 2G, Edouard Mo'ulinier, 'propriélair.e à XancleviEe, et Julia-Georgette'Marie Briand, domestique à Barbezieux" ; le 20, Auguste Bertandeati, cultivateur, au Buis et MargL'.crite-Augustinc Gendrineau, cultivatrice à Font-Razi) ; le 2G, Pierre-I-iippolyte Brançhet, .boulanger à Barbezieux, et Rose Rosier, couturière^.à Barbezieux. Décès : le 5, Aune" Pain, 42 ans, épouse de Jean Biois, rue d'Hunaud; le 5, Anaïs Foquc. né, ;H ans, hospice; le 6, Germaine Carnés, 20 ans, boulevard Gambetta. Cognac iwt Au cours d'une réunion qu'ils ont tenue samedi soir à la Bourse du travail, les ouvriers plâtriers ont décidé It. grève. On compte donc comme grévistes à Cognac, à l'heure actuelle : 25 ouvriers charpentiers 23 ouvriers jardiniers, et 21ouvriers plâtriers. MAJ Samedi, jour de foire à Cognac, Mme Guillehon, àgée de 70, ans, demeurant à Ars, Ise trouvait sur le. champ de foire des bœufs, devant, une paire Oe. ces'animaux que son fils venait de vendre. Tout à coup, les bœufs avancèrent;, Mme Guillebon fu t renversée d'assez graves blessures à la tête. La blessée fut conduite à la pharmacie Mondor, où elle -rpr'nt. les soins nue néees^ilnit son t'L'it. m Samedi, à la foire de Cognac, le jeune Raby, domestique chez M. Chauvin, demeurant aux Chauvauds, commune de Pons, âgé de 1G ans, Et trouve, place d'Alger, 'Lm porte-monnaie contenant F/3 francs. Il le porta de suite au commissariat de police 01'1" peu de. temps npros, sa prï.priëtau'e, .Mme,Peyrat.-dell1C1Jrant boulevard de Clii'jten,-t vint le rÔda-.mer. Nos félicitations à M. Raby pour son acte de probité. 'wi, M. Bquhnaud, maire de Javrezac, a également trouvé un ",ode-monnaicj contenant une certaine .somme, Il le tient à la&gt; disposition de la personne qui l'a perdu. iwv Au .concours musical qui a eu heu dimanche à Pauildac, la. Oirn'tËn.cLt.a de ("ognae a. obtenu : Lecture ti, vue, 1er prix. palme de '"t'rmeil,.. h l'un-aDimiio. Concours d'exécution-. 1er prix, palme de vo.rmeil, iV. runanimitu. w La remise aux combattants de La médaille. eommérnorativede 1870-71 nl1rrl lieu S'Otis la présidence de M. le qénéral mnzer, place de la. Sous-Préfecture, le dimanche 18 moi courant, à a heures nrecip.e.3. (1n se réihiiira à l'hôtel de yille (côté nnrd), d'où le cortège pajUra. a E lieures.et den&gt;ie,, '' ■.•••• : ivw Les administrateurs eve la Caisse pargne de, Cognac .ont tenu jeudi dernier,' la plus importante réunion de l'année, sous la présidence de M. Pascal Combeau, maire. ■M. Simard, rapporteur de la Caisse d'épargne, a donné Lecture de son rapport sur !es.opérations de l'année 1912. Il ressort de ce rapport que li. situation est bonne en dépit des bruits de guerre qui ont couru, et de la mauvaise' récolte de l'année dernière. Les administrateurs ont -également envisagé la question de l'édification d'un hôtel de la Caisse d'épargne à 'Cognac. M. Ribet ,a été nommé délégué au prochain congrès régional des caisses d'épargne, qui se tiendra dans la Charente-Inférieure. m Le Conseil municipal de Cognac se réunira dans quelques jours, la Commission de la Voirie est convoquée pour le mardi 13 mai. La municipalité doit soumettre à son examen un relevé de tous les travaux ed'Iita-ircs. Ce travail permettra aux conseillers de dis--ente.r en connaissance de cause et de sérier les tl'ét"HUX. v iwt Etat civil de Cognac,du 6 au 0 mai 1913. — Naissances : Germaine-Jean-Raoul Bnu1-clef, rue d'Alger; CamiHc-Zéline LÓgeron, rue Montréal; YVGnne-Carmen Desvars, à la Maternité; Madeleine-Hélène Marche, à 1.1, MalcfÙ.ïié. ; "' , -, -.. " Décès : Julie Gorideau, .sabs pmfcssioh, 63 ans, veuve -de Pierre Dumergue,. boulevard Don fnrt-Roch ere.au ; HCl1r-iettc-.Inria-Ja,cq'llJell.ne Ducher, 12 jo'urs, l'il de Ca.gouiilet; Antoine Papon, scieur d-e long, 75 ans, hospice.' Confolens •vyv. Le (ribu.n.al correctionnel de Confions a rendu son jugement dans l'affaire^ des qualre boulangers dont nous arvons parlé dans un prÓ-eédênt'humèro. Chacun; d'eux est condamné à 23 l'r. d'amende, pour délit, -et à 1 fr. d'amende pour la contravention à, rarpeté municipal les concernant. François-R.., R... fils; F'.. et F... ont été condamnes pour délit de pêche avec engins prohibés, les deux premiers à. 1C0'fr. d'amende, le.s deux autres à 00'fr..... Pillac AW M. D..., voyageur en épicerie, passait en voiture dans la commune de Bonnes, lorsqu'à la descente duGa.ti.naud, le cheval pritpeur et s'emballa dans la descente tortueuse et rapide. Il alla s'abattre dans un champ, brisant la voiture... M. D... en fut quitte 'pour des contusions sans gravité, mais sa. voiture fut sérieuise-ment endommagée, et Le cheva.l eut lexs genoux emportés et se fit une sérieuse blessu-rc à la ide. Rouffiac vu Un cas de rage vient cTêtré constaté à Rouffiac, et une personne mordue vient d'être dirigée sur l'Institut Pasteur de Bordeaux. Roumazières 'v^ Nous apprenons avec regret ln, mort de M. Polalwwski, chevalier de la Légion d'honneur, madré de Roumazières, un des grands industriels de .notre r'éoio'n.. L'inhumation aura Lieu mercredi 14, h Chasseneuit, , Nous adressons h son gendre, M. Paseaud, conseiller d'arrondissement, il Chasseneuil, et à -sa famiUe. l'expression de nosplus 'ives -condo'i'eances. Ruelle vw Samedi a eu lieu, à Ruent', le banquet de la musique; il était présidé par M. Longat, coniseiller municipal, vice-président de la soclété. ^ Au dessert, MM. Longat, Mercier, Lai go, Mousnier et Pricher, ojit successivement pria la parole et invité les musicierf.§ à une union étmite, ; ^ Cette fète s',est terminée par des chants et des monologues Très bien interprétés par ieV convives. Ruffec 1V4.,Dans leur asaembiée générale de. mardi dernier, MM. les notaires' de l'arrondissement iléRuffec ont" ainsi constitué leur chambre de discipline pour l'année 191.'Miil i : PrÓsiclent M. A. 'Cllûinre. à-N-anteU'i-l; syndic : M..'Chaussegros, à Aigre ; rapp'c.r't'eur, M. Bertrand, a VeTtcuil; secrétaire : M. Ra-,von,~ à'Rvffec; tré.sdrLer : M. Cha-rly S&lt;1,l.f.1t- Angeair; membres :: MM. Geo-'ffroà-Mtjnt-.. jean et Baudrand, àAunac. w Dimanche -mann ont été lances a Ruf-fec. les .vieux i) ie-o-a s de la Société la Colom-be" 'Cognaça-ise, quicommencent leurs. voyages d'ent.raîneme.nt pour la. maison. Distance ; 4.1, kilomètres. WVJ Etat civil de la commune de Ruffec. — Naissance : Le 2, Ernest-Charles-Joseph Guil-ber-t. Décès : Le 3, Antoine «Ylinoux, 65 aiis (hospice); le 7. Pierre-Léon Auvray; 8. Marie Que. ion, 89 ans. ., Publication de mariage : Paul-Gustave Car, (lin, second maître fourrier,. domicilié à Billye, avec Jeanne-Marie-Mareelle Raphaël, couturière à tluffec. ... SPECTACLES, FETES ET CONCERTS à Angoulême I flEATRÉ D ANnouLEME. — JeUQT, lo mai, pOUr la. première fois à Angoulèmc, avec le concours de M. Bouxmann, première basse : Don Quichotte, comédie héroïque en cinq acte;;;, poème de M. Henri Gain, d'âpres Le Lorrain.1 musique de Massenet. Bureaux à 8 heures; rideau à S heures L vv Dimanche, 18 mai, avec le concours de quatre artistes en représentation, les Huguenots. ROYAL-CI&gt;.JÉ CATJMONT, il., rue des Postes (ancien-café Alvarel); — Tous les soirs, représentation. Matinée les jeudis et dimanches. CASIXO-MUSIC-ITAIX, rue Mnrengo. — Tous les soirs, représentation. Matinée le dimanche. LA VIE SPORTIVE COURSES DE CHEVAUX D'ANGOULÊME Dimanche et -lundft ont -eu hcai les ,c.ou;sr:) cle cl le vaux d'Angoulême.. i, La première ja'.H'n&amp;e, fàwffl&amp;éeîpar un hcmu temps, avait attiré, sur l'hippodrome de La Touretto, une Joule nombreuse.. :••••: Les tribunes étaient bien garnies et l'on y rpmarqu.a.H de fort ibetles .toilettes:. Les diverses cpreuves ont .rcp.ni de beaux champs de six et sept ..chevaux, sauf la dernière, Je prix de La. Société d/-s steeple-cha-&amp;e&lt;s de France, qui ..s'est réduite Ji; un match bien enlevé par Lutteuse, a. M. JarnciS J!'cn'nessy, sur Vatentine-V, à -M. IX G-uestier. La journée du lundi, comme la. veille, a été réussie au point de vue sportif; inalh'eureusement la, ptu.ie n. empVhé le public, de rendre en foule à l'iiippodrome, aussi . l'asp&amp;Ct des t.rLbunes et du, pesage était-i) loin de présenter ha même activité et lia même gaieté que.Te d'imanjche. Au c'oura &lt;kis deux réunions, auxquelles ,I, le prufet de la Charente a! assisté, 1.1 musique du 107° priment 'flïnf.tln lerie a evécutô -plu* sieurs mûi'ceaux., Le -retour des courseis, le dimanche, s'est otïeetué entre une -double haie de curieux; la foule était compacte de l'écolenormale de filles au wrefo-ur ducafé de Lille, Le lundi, le retour s'est tristement effectue sous la Pl tid Voici les résultats des diverses épreuves' : PREMIÈRE JOURNÉE Prix .d'ouverture, l.(X)0 francs. Distance, 2.400 mètres, (&gt; partants. — lar Mustang-M {Fa.ucon), à Gr. de ViHemanèy; 26 Ganistan (Luc), à M. Mauirice LahroudlC. Non placés : In-Salah-II, Vier'ge-FoJl.e, I.utteu&amp;e, Camelote. Parti mutuel (unité de 5 fr.) : Mustun.g-II, gagnant, 32 fr. 50; placés, 17 fr. 50; Gaaiigtan, placé 2i francs. ... Prix de ].a. société d'enc,o.UntfIement (3° "sé-, rie), &amp;000 fr. Distance, 2.000 mètres. è .partants. •— lor p,, M-C,cl.,C)r (Floch), à M.' Maurice Labrouche; 2* YLpp-i-Acldy (Jm.minZ's), à M. James Hennessy. Non placés : 'Pluna.-Cake, Le-JmlrnaI, Ihokpocket, Faclility. ¡Pari mutuel : Palme-d'Or,gagnante, 2/1..50.; placée,'. 11 fr. 50; Yinp-i-Addy, p!acéo, 10 fr. Prix de la société d'encoarasement., ang'o-arabes (Ire catégorie), 2.500 fr. Dis tance. 2:000 mitres, 4 pûr!;apiis. — lpr Rom Mat (IAHlge'-ronne), à M. n. Labadie; 2" Violet te-des-Prés (Samson, apprenti), à M. P. Cornet. Non pla-•c(w : EI-Tcroose, Clairette-M. Pari mutuel : Ho'mblai. gagnant 8 fr.: placÔ. 7 fr. 50.; Yiolette-des-Prés, placée, 12 fr. Prix de la. ViMc d"Angoulème (handicap), 3.C.OO fraiMs. Distance. 2.200 mètres. G partants. — lIr Inusable (Trougnat), à M. R. L£t-badi-e; 2° Donato-Ilr (Faucon), à 'M. de Villc-maindy. Non ]')!acé&amp;-: Phébus, -Ventadour-Iil, Bfisbiilla, Grande-ËnIanL Pari mutuel : ]n'u:&amp;aMe, gagnant, 22 fr. ; p'3C.e, 13 fr. 50; Donafo--IlI, plD,cé, 12 fr. 50. Prix Edgard de Champvaàîiei" (course de ha:c;s, bocks et unters, gentlemert-riders). l.tXK) francs. Dista.nc.e, 2.800 mètres. G partants. —• lor Proc-ket (comte de Villeneuve). à M. Van den. Ro^ch"; 2e Marbre-Rouge ÇA.' de Fournas). &lt;1 M. *Ifc de Fou mas. NDrÍ: places : M-a'rccHc' 7., Rertholène, La-Ncva, Tristc-Sire. P'an mutuel : Proc-ket,* gagnan t, 23 fiv. f)0 ; placé. 1:3 fr.; l!..m'brc-Ronge, p.JaCl S fr. Prix de la: société des steeple-chasee de France (régional, 2* catégorie, st-eeple-clia.se). 1.500 franco. Distûnee. .-3.500 mètres, 1 part'Ili t. DEUXIÈME JOURNÉE Prix de La. T011il'eUe (à réelamer), 1.000 fr. DLstanc&amp;, 2.200 mètres, 7 .partants. f'-' 1er Bisbille (Luc), ti. M. Maurice Lahrouche; 2e Vierge-Folie (Hoila.), à M. René Sauvai.' — Cs'on placés : Brantôme-III, Boîide-III, Réalité, In-Salah-II, Bon-Ami-M. Pari mutuel (unité .de 5 franc-s) : Bisbille, ,ga.g,nante, 4-9 fr.; placée, li fr. 50; Vierge-Folle, placée, 20 fr. 50. Prix des TrJhunes, 2.000 francs. Di/Stance, 2.100 mètres, 1) partants. — 1er Ganistan (Luc), à M. Maurice Labrollche; 2e Toms!oso (Floch'l, à. M. Jaulin; 8° Yipp-i-Addi (,JC{mninp:s), à M... James Hennessy. Non placés : Facility, Cnp-;Iyr!e,. Le-Jo!urn'a!, Ois, Grande-Enfant, Chan-tei'auve. Pari mutuel : Gamstan, gagnant. 51 fr. 50; p'ace. 8; Tomeioso, placé 7 fr. ; Yipp-i-Addi. placée, 6 fr..50. Prix principal cle la société sportive d'encouragement, -1.000 fr. Distance, 2,500 met.rc-?. 6 partants. — 1er Maïda-Vale (Jennings), l-t M. James Hennessy; 2° Alusta.ng'-n (h'aucon), à M. de ViUemandy. Non placés : Ciouzct, Plum-Cak'ë, Palme-d'Or. Dièze. Pari mutu.el : Maïda-Vaie, g8gnanlc, 12 fr.: piac6e, 10 fr.: Mustang-II, place, Hfr. 50." L'Express (course de haies), i.200 fr. 'Distance, 2.800 mètres. 4 i)a!rtaiits. — lor Sa.int-Céréné (Bongaillos), à M. H. Thaurv: 2e Pou-te-à'u-R'x-II (d'Arexy), à M. le comte J. de Lastiio-Saint-Jol. Non placés : Le-Doge, Lou-vcés,'Vimlex. Pa-.h miu-iue'l : Su.int-Céréné. gagnant 19.50; p!a.c.e, 7 fr. 50; Pou:le-n.u-Hiz-lI, pJncée, 9.50. 2° Prix de la société dès steeple-chases de France" (steeplé-chase, G® série), 2.600 fr. Di-!&lt;mcc, :5.4CO môtre.s, 3 imrtants. — lor Ma-Belle (P. KaJiey), à iM. D. Guestier. Non plncés : herlandicri, Triste-Sire. Pari .mutuel : Ma-Belle, gagnante, Il francs. LE CIRCUIT CYCLISTE BORDEAUX-ANGOULÊME-BORDEAUX L; drcuil: Au 1 omoto-Continenta 1 organisé sou..', le:s. auspices de « Sports » et. de la « Petite Gironde » s'est disputé dimanche et: lundi sur ! 0 n a r co u r s Bo r deaux-Péri g u e u x A n go u 1 ê 1 n e -CrJtrrmc-Sain Lec:Dordea ux, La première partie de l'épreuve, Bordeaux-Angoulême par Périguteux, s'est disputée par beau temps. Les ccncurrents, partis do Bordeaux (les Qmdrc-PEivillons) a S heures et demie du matin, ont commencé 'Ù arriver a Ang/i111èmc vers trois heures et (lUDrll. Voici d'ailleurs le classement : I. Cailloux (Périgaeux); à 3 h. 17 : 2. Lu-g'kiiol... (-Bordeaux), à msé^yiomi-rouo ; 3. Oill'v (Nantes) ; i. Quenin ( Pari s) ; 5. Fontan (Nay); G. Ujol (Bordeaux); 7. A-uiort (Paris}: 8. Sutter : 9. PaiIIet. (Boid. aux) ; 1C Pelticr (Paris). : il. Nat (Moniaitlnu) ; 12", C.anfou (Bordeaux) : 1:;. Brun ; 14. Chassot (Paris) ; 15. Bailly, à 3 h. 19'.: 1G. Dupas (Bordeaux), it une longueur : 17. Cadeaux (Bordeaux), &lt; 3 h. 21 ; 18. Faure (PérLgr.eu'x), û une demi-longueur : W. Chauvière (Péri.gueu'x), à o h. :3'1; 21, Stanislas. " -"• L 21. Qindesi^oussens ; 221 Baratlic : 23. man-ctiar.! : 24. Bustarret : 25. Robert : 2G. Monti-but : 27. narre : 28. f),:)l'rnrd ; 29. Fou.gernt ; :?. Scvaux : 31. Noël : 32. Baronnet : 33. Lan-dau : 81-. Laborde ; 35. Séguinial ; 30. Bon-plICL ; :n, Consta.a!. I.tr seconde partie de Tébpe ; Ang^iuéme-Bordcaux par Jarnac, Cognac et SD.intcs¡ a pu litt'i rous une pluie presque ccruinueUe. Voici l'ordre des arrivées à Bordeaux : 1. Billy. de Nantes, ù 4 h. 40, ayant couvert les 181 kilomètres du parcours en G h. 47, soit à une moyenne de 27 kilomètres 12;) environ a i'h-eu.re.. 2. :&lt;.;:d, de ?!'!nktu1;.[q.+",Ù,1îi.-47 : 3. Font an, de Nay (Basses-Pyrénées), à 4 Ji. 47' 30" ; 4. ¡ t Lit ,1, CI" Paris, à4 h. 48 : 5. C..-ii!)oux. de l'ériiïueux. à ï !i. 49 :. G. Auforf, do Paris, a 4 h ?/&gt;": 7. Pcmh'. h 4 h. 59 : 8: lTiiil, à 5 h 9. E. Luu'uet ; 10. C'::?C3tiIX : 11. Canton 12. Brun 13. Stanislas, à 5 h. 20 : 14. Cliauvière, a ;j Il. 33 ; lo. Monlibu!, à 5 h. 35 : lG. Cande-s soussens, à 5 JI. 34 : 17! Bernai d, à 5 h. 37. ; 18. Blanchard, à. 5 h. 55. etc. -D'aprè's l'ordre des arrivées de ln. deuxièm,e éiope, le classement gén(-ral du Circuit s'établit n.i rl&lt;3i' : ^ 1. Biilv, de Nantes, 3+ 1 ='1, points, 2. Cailloux, de Périgueùx, I +G==U points, 3. Fontan, de Nay, 5+3--8points,4 4. Ed. Luguot, de rf,', i i i x, 2+ 9--11 points, 5. Au fort, de Paris, 7 + U=13 points, G. Uiol, de Bordeaux, IJ + 8 = 14 po'nts. Os classerneni. ne sera officia qu'.tptcs homologation par la. commission sportive do ru v. F. ; CYCLISME 'vvi; Lnc., course cycliste a pu lieu à Genac-dimanche 11 rnf'.i. Voici les résuliats : Cantonale 1% Ci::ltinon; 2°, Palace:. Sa.R.ivierre.. Cc'rnmunnîe : 1er, Gatinon, ;:.e, Yvon: 3". Pignon. Déporlementale (H0 kilomètres) ..: 1er, HûRse-bœuf; 2°, Ménigaud; 3°, Dupont. LE GRAND-PRIX CYCLISTE DE PARIS Dimanche ,i. en. Lieu au Vélodrome 'Hiver, il Paris, la lin.aie.du Gnlnd-Prix cycliste. Le vainqueur de l'én-reuve est Êlleeaard " ; 2e Houriier; 3e Friol. ' DANS LA REGION Vienne L '/':cocle Sainl-'.Maixent assistera le ^ mai à Poitiers à. des. séances, de: tir d'aitii-l Tie exécuté nnr les hcdl.CTiès dé la !je brj.gade d'artillerie à PoiticIF" On fL'ja en outre -aux élèves une instruction pratique avec tirs dè démonstration sur le CUl./J!l nlmai!ho de i R T.H. T. R .. Dordogne ■wv Un pj éliîstojie;.) di; ,P('.rÜrnl;1;":, foi-i avan-tageusesnen(onrui, M. Louis Didon, vient do découvrir dans s-es fouilles des bords de l:.t Vezèrr. un... Siiuelel.te préhistorique soh)&lt;re.on, .celui&gt; d'un jeune f lie d.. (a souelette présente ,. une intércssnrdc &gt; ai ti'-n 'a. tt«*. Il norie autour-du cou un important comoôsé d'un très -grand nombre de ««iquiUdgc^ marins de dirié-rentes espèces. •• On a ou enlever le bloc de riaagna où. git le squelette. .Malheu.reusen;"u!, ^&gt;ar suite des nluies inin-terr.impuos de co.* tc^mps. 'do'rniprs/ il est dans un plat d humidité excessive qui imoose j'obli-galion dé retarder les constatations de foutes sortes fi i(f) code découverte doit nc'rn)c'''''f' 'wv M. Pasdelou; métayer a IJrvoJ, qui traversait le passage à nh-cau de Palevat. a été -tamponnc par un train de marchandises. II est mort peu après...l FAITS DIVERS Mort accidentelle d'un sportsman Dimanche soir, 11. Louis de Foiirnos?, gentleman 'ridcr, entraînait sa jument njinaidn, dans les environs d'Avignon, en vue djuno course qu'elle devait dlsDuter lundi, lors-, qu'au saut' el 'une 'haie 1a bête fit pannr''!e. M. de Fournas fut atteint ù "lNl coup de sabot en pleine poitrine. M., de FOl..1J."n&lt;1s fut transporté dans une clinique, où il est mort lundi matin. Collision de trains militaires On télégraphie de Salonique nu « Times ;» que deux trains militaires sont entrés en collision entre Draina et Buk pendant Ta. nuit, et qu'il y a eu 100 morts et 300 ble&amp;sés. Un terrible typhon On mande de Manille qu'un typhon, le plus terrible qui se soi tprodnit depuis de nombreuses années; fi, causé 58 morts. De nombreux vaisseaux ont fait ttaufrageV" Un enfant coupé en morceaux On a trouvé dimanche matin, dans une vespasienne, à Berlin, deux jambes humaines fraîchement. coupées. La ictime de cet as.sassinat est l'écolier Otto Klachin, ûgé de douze ans et demi. Dimanche soir, on a trouvé la tête, lc tronc et les bras enveloppés dans un paquet, sur l'escalier principal de la gare de Potsdam.. On n'a-aucune trace de rassassin. et on ignore le mobile de ce o'irne. Explosion dans une fabrique d'artifices Une explosion ''é'pst produite dans une fabri.que (rartiHces située ;dans la banlieue de Romr. Quatre ouvriers^ônt .été tués.et trois, blesses. La fabrique est presque entièrement détruite. TRIBUNAUX Le krach de la Banque des Halles Le irib;.im'' de la. SoiiT^ ,:ien L-Jjc, 1'2w1re siDi jugement dans i).ffah'c du krach xle,la Banque des Halles,-'rétablissement oui succéda à M. !.;enoii-l..évv, quand c(dLd-CL lu! tué par un de ses clients. La. lianque d'îs Halles, fondée par M. Marins B'dn!), avec le r-t)uo()ur.'. de MM. f&lt;auhird el, de Lambert, engloutit rapidement une somine de Gno.SO} francs. Marius Bidon n été condamné ù trois ans de THjSDll, :UiCO francs d'i'ïncndc' ; GllLllard, ti 6'mois de prison el 103 francs d'amende et de l.aml ert a 8 mois de prlscm. et 1.00Q francs d'amende. de Saccès UMEIIT ÊiNEâB l'luI t&gt;st FEU Plus JAKE$11. SMîTOPiÇUErÉS-F'sçarii le TW sac. -doyi(.«f si (Iii pa)!. G¡¡tri"tll) rd'p'à» eUftreijeîSsi'triâs, f.toi;îîiestFoaiure2, Ecarts, Vesîifc'«ns, ISg«gC2*î!U4«i4»ltJ, Surs*. KparTing.tij. Sr&amp;'i QÈmkU, 1S5, Rue Saittî-Ho^orè. PARIS. Bnl),:t ,'rcnco tanin mvM^'^asie dt 7512—971:5 A PREMIERES COMMUNIONS Missels, Livres de piété, Cimpeîels, Médailles or et 'tituelit, Christs JlénHîers, PlaqaeKes, Articles de fantaisie, Gravures LE PLUS BEAU CHOIX ET LE MEILLEUR MARCHE LIBRAIRIE E. CONSTANTIN il el 11, rue des Postes, ANGOULÈME 2S7—-40Ô2 B âé A"PERITIF TONIQUE 3P"jpHâ ffv* 0 «■—■n—WP JHL qgwm. JK JNL VIN L. GÉNÉREUX ET QUINQUINA MM IK JKTÉI JC&amp;JHK LES OISEAUX DE PROIE DEUXIÈME PARTIE Pierre DECOURCELLE Elle demeurait 'seule, sans soutien, sansaffection, sans rien qui l'aidât à supporter J 'cxÍc'l{cl1ec. Alors ?... Retourner en Bretagne... Pourquoi faire ?... Elle ne &lt;se senl1:ut plus la force de traîner fies jours misérables et, sans but, dans -la pc* iite maison de Guérande, au milieu des s-ouv-venirs accumulés des deux seuls êtres pour lesquels, jusqu'à ce moment, elle avait vé^u. Depuis que la fatalité l'avait, frappée dans son amour, jamais elle n'avait, désespère de ln vie. Il lui avait, toujours semble impossible {rn'llll e semblable iniquité ne trouvât, ,pas s-a rt''!'aration. * C'est cette espérance qui l'avait soutenue, aidée à .supporter les cruelles épreuves du sort...' [a)s. maintenant &lt;;u'G la: mort 1 avait a ..jamais séparée de sa fille, maintenant que les portes d'une citadelle se refermaient sur Christian, comme ]a. pierre d'un tombeau, quel espoir lui était-il permis de conserver ?... Quel " intérêt l'ui restait-il dans l'exist.ence ?... Et, froidement, elle envisageait de nouveau, tout en JriGl'cJwnl, revcntualite du suicide libérateur.. " ;";'{,tnit-('c pas le seul remède qui lui réélut, dans le désastre où elle sombrait ? Elle était si profondément atteinte que pas un instant, 'Sft loi, si ferme jadis, ne se revoilà contre, une résolution que, pendant la première ,période de sa vie. elle avait toujours Jonsidérée comme un crime. Elle allai!, le cerveau égar(', songeant aux .moyens de mettre à exécution son projet sinistre... .... Enfin : je vous trouve, mon amie !... Ces mots, prononces d'une voix émue, arrachèrentla jeune. femme de ses sombres méditations. Elle releva la tête, et fixa, un regard encore hagard 'Sur l'homme qui venait de parler. .C'etai't Ma Itéra. Vous !... clamG-t-ellc d'une voix déchirée... C'est vous !... ,,Elle saisit les mains que lui tendait le clocteur, et s'y cramponna de ce geste affolé qu'ont les naufrages, quand leurs doigts rencontrent l'épave qui leur apporte peut-être le sa!u!. ' En la voyant chancelante, il lui prit le bras, murmurant : ~ Nous ne pouvons pas demeurer ainsi dans Ta rue ! Il l'entraîna, et elle le suivit docilement, heureuse, dans le désarroi où elle se trouvait, de se sentir soutenue par ce bras ami. Lorsque, dans l'appartement du docteur, ils se trouvèrent assis l'un en face de l'autre, elle ne put retenir ses larmes. C'est par torrents qu'eues ruisselaient le long de sc.s joues pâles, tandis qu'un hoquet douloureux déchirait ?a poitrine. Il la laissait pleurer, sentant que c'était son seul soulagementdans la crise affreuse qu'elle traversait. De temps à autre, une pression de main plus accentuée lui rappelait qu'il était^ en communion de &amp;entimcnt.o avec elle et qu'elle pouvait s'appuyer sur son dévouement. Enfin, elle murmura, brisée : — Vous avez appris qu'il est sauvé. ? — Oui... J'arrive du quartier général... C.'e.?t moi qui ai obtenu à grand'peine qu'on commuât la condamnation.. Elle lui saisit les mains, les étreignant avec force. — C'est vous !... C'est vous qui avez fait ce miracle ?... Ah ! mon cher. mon bien cher ami. soyez béni pour cette bonne action ! Elle ajouta en essuyant sc.3 yeux: : — J'aurais tant voulu le voir... Il est déjà parti !. — Sans que je lui aie serré la main ! R'ecriaM Mallem penibI.eme'nt affecta. ■' Il semblait que, depuis quelques instants, depuis la rencontre de cet ami fidèle, dont elle avait presque oublie l'existence, une transformation &amp;e fût opérée chez Fernande. Maintenant, un feu sombre brillait dans son regard, une expression de soudaine énergie •se"reflétait sur ses traits si accablés quelques instants auparavant. Plongeant l'éclair de ses prunelles au fond des yeux de rvlatlern: — Mon ami, dit-elle, voue rappelez-vous ce jour où à Sa vei ne, en m'avouant votre affection, vous m'avez dit que je pouvais en toutes circonstances, compter sur votre dévouement ?... — Aujourd'hui, comme alors, je vous, fais le même serment... En quoi puis-je vous être utile ? — Vous pouvez m'aider à éclaircir le cru--cinant mystère dans lequel a sombré mon honneur... Vous pouvez m'aider tt ouvrir les yeux de Christian sur une misérable qui ne s'est assise-à son )oyer -que pour y apporter le déshonneur et l'à trahison ! Mattern regardait Fernande, l'écoutant parler avec une stupeur croissante.
bpt6k3065957p_1
French-PD-Newspapers
Public Domain
Première Année Revue mensuelle d'art libre et de Critique Dans ce numéro : HENRI BARBUSSE, FERNAND BENOIT, M. BOULESTIN, GASPAR ETSCHEB, FERSEN, J. FERVAL, MAX GAUTHIER, C. GERANDT-JOSSEL, A. GUZMAN, R. LALOUE, RAYMOND LAURENT, LEGRAND-CHABRIER; VICTOR LITCIOSUSS, E. MAEL, KURT MARLINS, F. UIRANDE, JEAN MORÉAS, MOYANO, M. DE NOISAY, JULIEN OCHSÉ, ANNIE DE PENE, EDM. PILON, SARLUIS, ROBERT SCHEFFER, SONYEUSE, ARTHUR SYMONS, LAURENT TAILHADE, E. ET L. THOMAS, VERLAEREN, TANCRÈDE DE VISAN, COLETTE WILLY. PARIS Direction : 24, Rue Eugène Manuel ADMINISTRATION. ET RÉDACTION chez A. MESSEIN, 19, Quai Saint-Michel Prix du Nombre : 2 fr. 50. — Abonnement : 30 fr. par An, Etranger, 36 fr. A suivre... No 1 — 15 Janvier 1909 Inaugural .... Laurent Tailhade. — Le Carnet de Stéphane Baille, (souvenirs sur Verlaine). Verhaeren. — La belle Fille, poème J. Ferval. — La Renaissance du Paganisme. Sarlus. — L'Inquiétude, eau forte. Jean Moréas. — Ajax, fragment Edm. Pilon. — Dans les jardins d’Esther Henri Barbusse. — Poème Colette Willy. — Music Hall Motano. — Colette Willy, silhouette. E. Mael. — Poème : L’Esclave. Robert Scheffer. — Plumes d'oies et plumes d'aigles Julien Ochsé. — Poèmes Akademos. — In Memoriam, Raymond Laurent Raymond Laurent. — Portrait et Poème. M. de Noisay. — À d'Annunzio, poème Luini. — La Sainte-Famille, eau forte. Arthur Symons. — Cité d’Automne, trad. L. et E. Thomas Fernand Benoit. — La Femme insatiable Annie de Pêne. — Sincérité, poème Kurt Martens. — Frank Wedekind trad. G. Elscher R. Laloue. — Je t’écris, mélodie Legrand-Chabrier. — Invitation à l'enterrement PARTIE CRITIQUE XXX. — Notre but Victor Litschfousse. — Les Poèmes de Fersen. — Les Romans de Tancrède de Visan. — La Littérature. Max Gauthier. — Les Théâtres F. Mirande. — La Musique A. Guzman. — L’Art ..." Figaro. — Les Potins d'OJlenbach M. Bôulestin. — Chronique anglaise (up and down) C. Gernandt Jossac. — Chronique Scandinave XXX. — Les Revues Livres reçus et Vient de paraître FONDE EN 1870 L’ARGUS DE LA PRESSE le plus ancien bureau de coupures de journaux 14, RUE DROUOT, 14 PARIS Rédigé et dépouillé par jour 10.000 Journaux ou Revues du Monde entier Publié L’ARGUS DES REVUES mensuel Édité L’ARGUS DE « L’OFFICIEL » contenant tous les votes des hommes politiques et leur dossier public L’ARGUS DE LA PRESSE recherche dans tous les périodiques les articles passés, présents, futurs Adresse télégraphique : ARCHAMBAL-PARIS — Adresse téléphonique : 102-52 Écrire au Directeur, 14, rue Drouot, Paris AKADEMOS Revue mensuelle de littérature libre et de Critique ESSAI DE PROSPECTIVE Nous venons d'un pays clair, lumineux et tranquille, où Platon a passé, où Virgile chantait. libérer dans la ferveur de vos efforts la France Latine de ces décadences slaves, de ces lourdeurs germaniques, de ces argots saxons et de ces préjugés judéo-chrétiens qui en altérèrent la pensée et le naturel paganisme. Par le souvenir des anciens marbres et des poèmes oubliés, ramenez l'artiste à l'idée simple, à la ligne libre et pure. Rien de ce qui touche à la Beauté n'est un crime, et tout élan est beau par son inspiration. L'obscurité, l'hypocrisie et la laideur sont les seules corruptrices. Allez, vous autres dont l'enthousiasme vient d'Athènes ; et que votre œuvre n'ait d'autre évocation que celle d'un jardin embaumé... Avertissement : Akademos est une tribune libre. On y admet toutes les opinions, pourvu qu’elles soient émises avec talent, et toutes les formes, pourvu qu'elles s’inspirent d’un art sincère. Les auteurs gardent intégralement la responsabilité de leurs articles. La Direction. LES CARNETS DE STÉPHANE BAILLE HACHE (Souvenirs sur Verlaine.) Je revins à Paris dans les premiers jours de 1883. Deux ans vécus, là-bas, au Sud-Ouest de la France, parmi les eaux limpides, les bois de hêtres, les prés, au printemps, étoilés de colchiques, en automne, dans la montagne de neiges et de fleurs, sous le profond azur des nobles Pyrénées, m’avaient assez fait connaître que la beauté des choses ne remédie aucunement à la laideur des hommes ; que l’ignorance, l’envie et la sottise, la méchanceté noire de la Province contaminent d’un excrément, ineffaçable comme la tache de lady Macbeth, jusqu’au manteau verdoyant de la Terre où je suis né. Dans Bagnères-de-Bigorre, la fétidité du bourgeois se guindait à l’Absolu. M. Homais y donnait la réplique à la marquise de Pretintailles. Le parti jeune catholique regardait en chiens de faïence les barbes sexagénaires que pommadait le vieux corsage de la République deuxième et que hérissait encore le vent-punais des Châtiments. Un peu après la guerre, le comte de Bonnehumeur, brancardier à Lourdes, où nul miracle ne l’avait guéri des attaques de haut mal qui certifiait l’antiquité de sa race et la longue putréfaction d’icelle, un autre hobereau très pieux, le comte Robert de Puisseclien, qui ne fréquentait jamais avec la troisième personne, le notaire Bado-Mouscos, renommé pour ses escroqueries, son cagotisme et sa lubricité, avaient fondé un Cercle catholique à l’instar des clapiers du même genre instaurés dans le Nord par le comte de Mun. On y forniquait abondamment. On y buvait du rhum et, tout en cuisinant la chose électorale, on y jouait la comédie avec « Tassent » du cru. Les femmes ne prenaient aucune part à ces jeux : mais les éphèbes de la marbrerie Geruzet, le ver sacrum du collège diocésain, les onagres de l’orphelinat Rolland, scieurs de marbre, loueurs d’ânesses, élèves croupiers ou baigneurs en chambre, en assumaient l’emploi au grand contentement de ces messieurs. Le Cercle catholique était un lieu choisi autant que vénérable. Un médecin, le jeune Organdi, homme d’esprit, d’ailleurs, et qui pelotait la clientèle riche, faisait de l’obstétrique dévote et se poussait dans le monde avec l’assentiment des carmes qu’il aimait, composait pour cet endroit quelques drames pieux que jouait communément un jardinier maigre et un épicier gras. Ces plaisirs intellectuels avaient une influence notable sur la mentalité bigourdane. En 1860, les notables du pays s’affirmaient libres-penseurs, humanitaires socialistes et tout ce qui vous plaira. L’arrivée, à Bagnères, des Bonnehumeur, des Puits-certains et autres gentillâtres eut bientôt fait de rallier au trône et à l’autel ce que le terroir comptait de gens choisis : les vicomtes (du pape) Marie de Paul, qui montrent dans leur domaine, pour un léger pourboire, le fameux châtaignier de Médous, Arthur Boulet d’Hauteverre dont Jean de Bonnefon déduisait le curriculum héraldique plaisamment; Petit-fils d’une maîtresse de piano, mulâtre, d’ailleurs, comme la canne à Canada, ce Boulet se mit en tête d’acheter un titre, n’importe lequel, au bazar du Vatican. Soulouque l’eût nommé duc du Trou Bonbon, prince de la Marmelade ou vicomte du Poulet Rôti. Le Saint-Père, plus modeste, le fit tout bonnement comte de la haute serre et, commémorant son bolet de patronyme, lui infligea pour armes parlantes un cèpe — oui monsieur — bolet in edulis, pour peu que j’ose m’exprimer ainsi. Le 14 juillet 1882, lorsque pour la première fois on célébra la Saint-Polichon et la prise de la Bastille, le vieux médecin Bruzaud, beau-père de Boulet et qui avait souffert au 2 décembre, appendit modestement une flamme tricolore au balcon de sa fenêtre. Son gendre l’assomma presque avec, d’ailleurs, l’assentiment de madame, pour le punir d’avoir de la sorte dérogé à noblesse. Telles sont les exigences du blason. Il eût été moins pénible d’habiter avec des chiens à huit pattes, des femmes torpilles, des mangeurs d’étoupe qu’avec ces phénomènes. La société de M. Boudu, l’homme à la tête de veau, se fût parée de quelque grâce au regard de celle, non moins ectomérique de Bado-Mouscos, d’Arthur ou de Bellehumeur. La maison assombrie et vide où traînait l’ombre d’un deuil si imprévu ne m’était guère plus riante que l’entretien de ces goitreux. Mon père, âgé, quinteux, insociable, étranger à toute préoccupation d’art, n’avait aucun point où se repérer à ma pensée. Il imposait par la dignité de sa vie autant que par son humeur renfrognée ; il était beaucoup plus aisé de le vénérer que de s’entendre avec lui. Sans intrigue, ni savoir-faire, après quarante ans de magistrature et malgré des talents indéniables, obscurément, il achevait sa carrière à la tête d’un tribunal de troisième classe, n’ayant pas voulu même solliciter la croix, tant sa complexion répugnait aux courbettes. Son divertissement le plus commun était de racler un violon de ménétrier dont il tirait des sons démoniaques pendant de longues heures avec une inconcevable joie. Il se plaisait aussi à rechercher minutieusement les menus vols, fourberies et malversations de quoi les avoués soumis à son contrôle se rendaient coupables impudemment. Il força quelques-uns d’entre eux à vendre leur charge, ce qui n’augmenta point sa popularité. À part le Cercle où l’imagination d’Organdi voilait tous les seins que l’on ne saurait voir, mettant à la portée des coqueurs le théâtre de Molière, désormais sans clystères ni cocus, les tripots seuls vivaient dans Bagnères-de-Bigorre après le départ des baigneurs. Pendant l’été, l’indigène vend de l’eau chaude plus ou moins, des ratatouilles immangeables et des lits à punaises comme il sied dans une ville balnéaire. L’hiver, il se repose et perd au baccara l’argent qu’il a fait, non sans quelque assaut, suer à l’étranger. On cartonnait sur les Coustous dans deux cercles où se réunissaient les personnes du monde : le café Godefroy, tenu par le grélucon alcoolique de la vieille patronne, une commère forte en gueule, massive d’épaules et d’humeur belliqueuse qu’on eût pris pour un gendarme costumé en virago. Et l’on jouait encore au café Sajous où M. Antoine Uzac, aubergiste sur le retour, d’un geste machinal, caressait, chaque fois qu’il prenait une huche, sa tête cosmétiquée au cirage, tant que vers la fin de la nuit ses cheveux étaient d’un blanc sale et ses mains d’un noir fuligineux. On y tenait des propos obscènes et stupides et c’est là que j’entendis raconter pour la première fois la légende combien nidoreuse de M me Pailliasson : M me Pailliasson, bourgeoise de Lourdes, à la jambe hospitalière, désertant l’officine d’un chocolatier fameux dans les quatre vallées pour courir la prétentaine avec d’irrésistibles officiers, surprise un beau matin de feuille à l’envers par la petite Soubirou, aurait, afin de sauvegarder sa prudhomie, improvisé sur-le-champ une mise en scène d’apparition et fait croire à la simple bergerette que Notre-Dame elle-même lui parlait. Sceptiques et croyants, panégyristes et détracteurs ont fait justice, les uns et les autres, de cette histoire imbécile fort en honneur, il y a vingt-cinq ans encore, sur les rives de l’Adour. Encore que fort peu enclin aux cafés esthétiques, aux jours des chers maîtres, aux propos de concierges qui forment l’entretien ordinaire des gens de lettres, le noir obscurantisme des bénéts que je fréquentais depuis si longtemps me faisait aspirer, comme un provincial que j’étais, à d’autres causeries. Mon deuil, mon absence avaient quelque peu espacé mes relations. Je m’ennuyais pour tout dire, n’ayant ni projets, ni travail, ni quoi que ce soit où je pusse accrocher ma curiosité. Le monde que je venais de quitter dépassait la dose normale de l’ennui. A Bigorre, j’avais coudoyé les belîtres « bien pensants » et les autres. J’emportais une sorte de vertige pour avoir ainsi humé l’odeur de leur néant. Ailleurs, c’étaient d’autres figures avec les mêmes oreilles. A Nantes, j’avais ouï Baudry d’Asson, braier après un dîner chez sa cousine Karkoët. Il hurlait littéralement, le dos au feu, la barbe en éventail, l’air d'un droguiste bon enfant et tumultueux : « Oui! oui! nous avons chassé le loup, mais la bête qu’il faut abattre c’est le gros cochon « que nous avons là-bas sur notre tête. » Le « gros cochon » — révérence parler — c’était Gambetta, président, pour lors, de la Chambre des députés. J’avais rencontré Eugène de Lourcoff, le plus parfait goujat, ayant poussé le goujatisme en cramoisi bigot, adonné à la crapule, ivrogne fieffé, au surplus monstrueux, qui, riche, faisait interdire sa mère pauvre et la privait du nécessaire ou peu s’en faut. Il promenait alors pour toute gentillesse, confit dans un bocal d’esprit de vin qu’il exhibait à tout venant, une relique de soi-même, propre à l’identifier aux adeptes d’Israël. Pour si peu délicats que fussent les gens de plume ils n’arriveraient jamais à la malpropreté de celui-là. J’avais rencontré au dîner des Félibres, quelque trois ans auparavant, un poète aimé d’Armand Silvestre qui me l’avait chaudement recommandé. Il s’appelait Joseph Gayda. C’était un garçon malingre, à la voix chantante, rongé de peau, rouge de poil et dont les yeux rouges dans leurs paupières écarlates faisaient songer à ceux des lapins albinos. Il était venu de Carcassonne tout exprès pour avoir du génie et son entrée en matière fut de m’avouer qu’il était fort incommodé par un flux hémorroïdal. Ayant composé autant de pièces de théâtre que M. Jean Aicard a fait, dans sa longue carrière, de fautes de français, il en réduisait les scénarios avec une opiniâtreté souriante et visqueuse, une adhérence de poulpe collé à son rocher. Quand la chose était en vers, il ne se privait guère de vous confier plusieurs tirades qu’il nasillait avec le pur accent de l’Aude ou de l’Hérault. Sa famille l’admirait. Son père, greffier du tribunal, avait cédé sa charge pour prendre, ici, un cabinet d’affaires (contentieux, recouvrements). Un frère cadet, une sœur malade et la mère enthousiaste l’avaient bientôt rejoint. Cette famille entière attendait, avec patience, le jour de grand homme, la première épiphase, les trois cents représentations à la Comédie-Française, le rideau tombant chaque soir au milieu des transports et de la joie universelle. Le rideau est tombé, la pièce est terminée ; avant les siens, abandonnant jeune encore ces fidèles dont il était le dieu, Joseph Gay a fait le premier. Par un soleil de juin, soleil qui, disait-il, « verse une vie intense et retarde les soirs », quelques amis l’ont escorté au cimetière. Carcassonne jamais ne verra sa statue et les pièces, objet de tant d’espoir, n’issue pas du cartonnier. Aux Félibres, Escalaïs déjà court sur pattes, bedonnant comme une théière mais dans toute la fraîcheur et le printemps de sa généreuse voix, Acanthe Boudouresque, marchand d’huile et basse noble, adaptée à Meyerbeer, chantaient les vers d’Aubance sur des musiques de là-bas : Comme uno trêve souletari, Restavo amaga dius monndooü. Avie fré moim amo en susari, Avie pooü. Et nous reprenons au refrain, chacun naturellement et dans le ton qui lui plaisait le mieux. Avec une profonde et riche et caressante voix, Maurice Faure déclamait La Vénus d’Arles, pour ses frères du sang latin. Mistral y venait souvent : coiffé d’un feutre de Gambusino, ressemblant comme un frère à Buffalo Bill, autre saltimbanque d’une espèce beaucoup plus divertissante. Un soir, entre Mistral, pontifiant, encombrant, ridicule, et Mme Mistral, femme, quelque peu moustachue et tétonnière, portant sur son estomac gauche une cigale d’or, un petit curé se vint assiéger, noir, sec, l’air mauvais d’un traboucaire ou d’un fraiile gustador à qui les initiés faisaient de grandes politesses, des courbettes à n’en plus finir. Quand vint l’heure des toasts, Mistral se leva plus auguste, plus demi-dieu, plus virgilien que de coutume : « Messieurs, dit-il, ce félibre assis à ma droite est un frère de Catalogne, le grand poète Jacinthe Verdagner. Il y a cinq ans, me promenant aux environs de Barcelone, dans la sierra, je vis un jeune pâtre à ma rencontre. Il s’agenouilla devant moi, implorant ma bénédiction poétique. Je lui imposai les mains sur le front et le bénis. Ma bénédiction a porté des fruits. Jacinthe Verdagner est devenu l’auteur jamais assez loué de l’Atlantide. » Personne, il est juste de le dire, ne broncha, pas même Jacinthe, plus noueux, plus enfumé, plus maussade après harangue de Mistral qu’auparavant. Il baragouina quelque chose dans son auvergnat et se leva de table au moment où les ténors déchaînaient leur note persuasive. Des félibres, Joseph Gayda me conduisit un jour au Café du palais qui devait plus tard revêtir le nom du Soleil d’Or, à cause de vagues hélianthes figurés sur ses vitraux à bon marché. Les poètes de la génération qui précède la mienne ont coutume de tenir leurs assises journalières sur la banquette de l’estaminet. Catulle Mendès a régné longtemps chez Tortoni, puis au Café Napolitain, empoisonné désormais par la voix de crécelle qui signale aux femmes grosses M. Ernest Lajeunesse et les détourne d’approcher. C’est là que s’échangent les plates conversations, les propos d’argent, les commérages, les histoires à dormir debout, et que s’épanouit la bassesse congénitale aux histrions de la poésie et du théâtre. C’est la foire de cabotinville. Jadis le Café du Palais, sorte de gare aux plafonds bas, aux papiers enfumés, aux banquettes poudreuses, s’étendait à cheval sur la rue de la Harpe et le boulevard Saint-Michel. Cet endroit était, en outre, embelli d'un caveau, où des poètes, quelques-uns tout à fait jeunes, avec des cheveux séraphiques et des ongles en deuil, crasseux et préraphaélites, rougissaient en débobinant leurs épodes, tandis que, fortement chevronnés, d’autres s’imbibaient, en attendant l’heure de paraître, avec les spiritueux que leur offraient les débutants. Edmond Haraucourt y venait entre deux soirées, très mondain, très officiel déjà, de bonne compagnie et de rapports amènes. D’une voix ingrate, sans artifice de débit, mais sûr de lui-même, il déclamait de fort beaux vers. On le sentait robuste, marchant droit et ferme, sans beaucoup de lyrisme, ni d’envol, mais carrément piéusement sur ses ergots, convaincu dès l’abord qu’il ferait son chemin. C’est du tréteau des Hydropathes, fondés par Emile Goudeau, puis émigrés au Soleil de la place Michelet que le symbolisme prit essor. La troupe du Mercure s’y forma. Rachilde y tint ses décamérons. M. Barrès y connut les premiers étonnements de sa jeunesse. Rodolphe Darze, beau comme un dieu et crépu comme un moujik, y vaticinait L’amante du Christ. Les vers libres assistèrent à des tournois entre Gustave Kahn et Marie Krzywnska, tous deux inventeurs de la forme nouvelle, tous deux se disputant l’honneur d’avoir intronisé le vers libre et secoué la poésie française, revendiquant cette gloire, ainsi d’ailleurs que MM. Vielle-Griffin, René Gill et quelques autres. Ces auteurs sont devenus célèbres, ils ne se sont pas attardés au café. Les biberons solides, les illustres piliers ont continué sans répit. Le succès de M. Jean Moréas, outre la bienveillance de Sylvain et son incapacité à comprendre quoi que ce soit, émane de sa persévérance à fréquenter les estaminets. À son âge, ayant et de beaucoup dépassé la cinquantaine, il étouffe, chaque jour, sonnant l’heure de l’absinthe, un nombre de perroquets idoles à lui servir d’exemples et d’inspirateurs. Mais au temps du Soleil d’Or, où passaient Paul et Victor Margueritte, Charles Morice, Henri de Régnier, académicien présomptif et glorieux artisan du Verbe, Maurice Barrès qui demandait au pique-assiette, Charles Vignier, « s’il valait mieux pour lui contester Guizot ou Morny », Oscar Wilde, fleuri d’un tournesol, Jean Moréas s’appelait encore de son nom de palikare : Pappadiamantopoulos. Depuis, il a fondé plusieurs dogmes littéraires et, si je ne me trompe, une ou deux religions. Il a de plus écrit des vers de tout repos. Son génie est, comme dirait Montaigne, ondoyant et divers. Car il emprunte communément ce qu’il appelle ses idées au premier quidam venu, prenant la peine de l’écouter lorsqu’il profère des alexandrins à l’heure où la plupart des bourgeois sont endormis. Autrefois, il s’approvisionnait chez Anatole Baju, directeur du Décadent. Ce Baju, un ancien meunier devenu, par la faveur d’un homme politique, instituteur à Saint-Denis, s’était mis en tête de cultiver son Moi et de faire la conquête de Paris. Mal bâti, d’une laideur au-dessus de la moyenne et d’un esprit à porter les sacs au moulin dont il venait, il publiait chaque semaine un cahier jaunâtre, où il épanchait le trop-plein de son intelligence. Dans les moments perdus, il apprenait à Moréas l’art de penser. Depuis, M. Pappadiamantopoulos a changé de fournisseur. M. Charles Maurras l’instruit, à présent, et lui promet qu’il sera le Racine de Philippe VIII, quand viendra la prochaine restauration. En attendant, il retape Iphigénie, et nul ne désespère qu’il ne porte bientôt les beautés de son style sur Andromaque ou Bajazet. Un trait que Moréas rapportait, il y a quelque vingt ans, avec une ingénuité de nègre, peut fournir une idée assez exacte de sa mentalité. Au cours d’un voyage en Bavière, parce qu’il avait ouï dire que les gens de là-bas raffolaient des cheveux bleus, il se promenait dans les rues de Munich, sous la neige, tête nue, afin de montrer aux passantes que son chignon était, pour la noirceur, comparable à l’aile du corbeau. A ses débuts, après s'être fait mécaniser par Salis et les ivrognes du Chat Noir, après avoir publié des vers à la Goudeau, manifestant le vœu bizarre : D'être écrasé par l’omnibus de Saint-Sulpice, il s’occupa d’Henri Heine et transposa l'Intermezzo en des poèmes d’une heureuse brièveté. Depuis, il a découvert Malherbe, perfectionné Ronsard et mis Euripide en français avec le même bonheur que M. Rivolet et l’omniscient Jules Bois. Quand il choisit à propos l’objet de ses imitations, M. Pappadiamantopoulos ne manque pas de talent. C’est un élève respectueux, docile, qui, dans n’importe quelle école de rhétorique, emporterait à coup sûr le premier prix. Il représente avec une fermeté peu commune dans le monde poétique du XXe siècle, l’École de l’Apéritif. Gabriel Vicaire, que la mort emporta, comme le duc de Clarence, dans un tonneau d’esprit de vin, fut, il y a quelque vingt ans, attaché glorieusement à cette forme d’art. Au temps où le symbolisme et les décadents faisaient rage, ce Vicaire insultait de grand cœur les poètes qui cherchaient leur voie hors des sentiers battus. Il composa la majeure partie d’un petit bouquin fort recherché des bibliophiles pour sa rareté : Les Déliquescences d’Adoré Floupette. On y lisait des mignardises dans le genre de ceci : Si l’âcre désir s’en alla, C’est que la porte était ouverte. Paul Verlaine, quant à lui, ne goûtait qu'à l'hôpital de ce chaste breuvage. L'estampe, la chronique, les bavardages plus ou moins véridiques et sincères, ont poussé jusqu'à la suprême invraisemblance les traditions afférentes à son ivrognerie. On ne compte ni les éphèbes, ni les macrobiotes qui se glorifient d'avoir bu à la table de Verlaine et qui fondent leur gloire sur l'honneur de s'être inebriés en même temps que lui. Depuis que le poète de la bonne chanson est en proie aux Dangeaux de brasserie, aux Tallemans de l'interview, le public est informé de ses moindres gestes. On sait le « flot sans honneur » qu'il désignait sous l'appellation de Roméo. L'adresse de l'Académie alcoolique où la bière intoxiqua Paul Lelian est inscrite dans le Baedeker ; nul doute qu'un interprète avisé ne se montre d'accord avec les pierreuses dont Verlaine chanta le « petit panier » et le pot, ou les gages d'amour qu'elles en ont gardés. Quand il vint à mourir, on ne saurait imaginer le pullulement de crétins jeunes ou vieux qui, tous, avaient connu intimement Verlaine et lui avaient « payé à boire ». En ce temps-là, nous vîmes un benêt faisant une conférence pour notifier à l'univers qu'il avait, un soir, « prêté quarante sous au maître et, par cette munificence, contribué à le soûler ». Dès que le pauvre Lélian eut fermé les yeux, ce fut une invasion d'insectes putrides, acarus, helminthes, nécrophores qui se mirent à grignoter son cadavre. Sur le corps froid, les vers se mêlèrent aux poux, Et là, tant bien que mal, vécurent de sa mort. Mouton, Eugénie Krantz, Estier, les vieilles prostituées de la Montagne Geneviève qui recevaient dans leurs draps suspects, tour à tour, Verlaine et les maçons du carrefour Saint-Victor, tirent main-baise, non seulement sur la pécune qui traînait, mais encore sur le vestiaire, profitable à leurs amants de cœur. Les galvaudeurs, les purotins de lettres vendirent aux marchands force bouts de papier sur quoi le doux Verlaine, en vers déliquescents, enregistrait l'hébétude navrante de ses cuites. Ce furent les grands mois de « Bibi la Purée ». Un autre compagnon de Verlaine, jeune homme exempt de préjugés, « bazarda », si je l’ose dire, chez feu Sapin, une liasse d’autographes où Verlaine, avec des mots d’amour et sans aucune périphrase, déduisait par le menu les ordures qu’ils avaient effectuées de compagnie, exaltant le mérite du jouvenceau par delà ce qu’admiraient les sœurs d’Ezéchiel chez les onagres et les bardeaux. Judicieusement, le vendeur insistait sur le relief que donne à ces pages le fait d’être par lui attesté conforme à leurs jeux d’autrefois. Ce garçon, bien doué pour le commerce, a, depuis, fait sa carrière dans je ne sais quelle administration. Il vit, orné des palmes académiques, sans doute, en mémoire des travaux intellectuels dont s’égaya son adolescence. M. Charles Donos, successeur — on ne peut plus universel — de défunt Vanier, dans un livre assez longuet, recense les comptes de blanchisseuses et les notes de mannezingues acquittés au nom de Verlaine par son prédécesseur. Car les personnes qui crachent au bassinet, même pour la rançon d’un roi, aiment fort que le public n’ignore point le détail de leur beau geste. C’est ainsi que nous apprîmes le nombre des « tournées », le titre des spiritueux que Verlaine offrait à ses compagnons, en s’imbibant lui-même : les rhums du Procope, les amers du François Premier et les absinthes à vingt centimes, sur quoi l’« Académie » de la rue Saint-Jacques fonde sa juste renommée. Peut-être aimez-vous mieux relire Crimen amoris ou la plainte de Gaspard Hauser. Mais c’est là une affaire de goût. Plus récemment, Edmond Lepelletier, ami intrépide et fidèle, a donné un volume épais qui, néanmoins, se laisse lire. On y trouve contés d’original, et les épisodes caractéristiques, et les aventures directrices, et les malheurs de jeunesse qui déterminèrent pour toujours l’orientation du poète. Le désir manifeste de blanchir, de décrasser Verlaine, de lui composer un maintien décent, la préoccupation d'apologétique, d’atténuer, d’expliquer, de donner à des faits trop explicites en eux-mêmes une interprétation favorable gâtent, par endroits, les Souvenirs d’Edmond Lepelletier. Mais, quand on songe que pendant les heures de pauvreté, de déréliction, alors que la tourbe des francs-fileurs, entre autres François Goppée qui, plus tard, devait assumer le ridicule d’écrire une préface au florilège de Verlaine, rougissait même d’articuler son nom, Edmond Lepelletier fut seul à défendre l’ami exilé, on absout volontiers la trop grande partialité de cet écrit. « La société — dit Henri Heine — est une république. Quand l’individu prétend s’élever, la communauté le refoule par le ridicule et la diffamation. » Le plaisir, le goût du médiocre, la haine des supériorités, l’exécration du génie inhérente à la femme, chaque élément du pacte social concourut à exagérer les peccadilles verlainiennes, au point de bannir cet ivrogne tumultueux et candide comme le pire malfaiteur. De le savoir blessé, tous les chacals, tous les dogues, tous les ânes vinrent s’ébattre sur son nom. Et pas un de ses anciens amis, pas un n’éleva la voix pour divulguer tant d’ignominie et tant de lâcheté ! Les malencontres de Paul Verlaine pendant la première partie de son existence, furent : 1° son mariage avec Mlle Mauté ; 2° sa liaison avec Rimbaud ; 3° leur départ pour la Belgique, leur ivresse permanente, et l’esclandre qui s’en suivit ; 4° l’internement du poète dans la prison de Malines, après une séance mémorable devant la cour d’assises du Brabant. M. Paterne Berrichon qui, en qualité de beau-frère, a pris la suite de Rimbaud, M. Ernest Delahaye qui voue à l’éphèbe ardennais un culte suffisant pour expliquer la cristallisation hagiographique, ont prodigué les anecdotes sur l’auteur de Bateau Ivre. Ils ont omis néanmoins les historiettes qui auraient pu montrer dans toute sa hideur la noire méchanceté de ce matois bleu de génie et de démence ; ils n’ont pas, à dessein, raconté, par exemple, de quel baume, de quels lectuaires, leur parent et ami accommodait, vers 1872, le lait du musicien Cabaner, pulmonique arrivé au dernier degré de la tuberculose et qui s’occupait à cracher, en ce temps, les débris de son dernier poumon. Il faudrait au surplus recourir au latin de Paracelse pour mettre au point cette historiette, contée en 1883, par les frères Antoine et Charles Gros. Avec un sens critique des plus avisés, M. Fernand Gregh, dans sa noble étude sur Victor Hugo, remarque judicieusement (Lettres à la fiancée) que : « Victor veut épouser Adèle encore plus qu’il ne l’aime. Il veut « arranger sa vie, il veut se caser pour travailler tranquille ; il prend « pour compagne la première jeune fille agréable qu’il a trouvée sur « sa route. On pourrait noter des préoccupations analogues dans La Bonne chanson, ce Cantique des Cantiques aux Batignolles que Verlaine écrivit lorsqu’il faisait sa cour à Mathilde Mauté. Elle avait accueilli favorablement la laideur étrange du poète, peu coutumier d’une pareille mansuétude. Et voilà qu’il se prend à espérer des jours meilleurs ! La petite fée « en robe verte et grise avec des ruches », aura, sans doute, le pouvoir de mettre en fuite les démons de l’Intempérance qui, déjà, le tiennent asservi. Verlaine, pendant ses fiançailles, proféra les serments et les obsécrations habituels aux ivrognes. Il avait promis, il avait juré de ne plus boire. Or, un malin, fort peu avant midi, ne le voyant pas descendre à l'heure du déjeuner, sa mère le vint quérir dans sa chambre. Nu comme un ver, mais chaussé de bottines fangeuses et gardant sur la tête son chapeau haut de forme, Lélian cuvait ses libations nocturnes, et ronflait comme un chantre, sans plus se soucier de Mathilde que de la reine Pédauque ou de Sémiramis. J’ai rencontré, douze ans plus tard, Mathilde Mauté, depuis peu divorcée, et, faut-il croire, épaissie, dans la maison de Charles Cros qui, lui-même, devait mourir bientôt victime de l’alcool. C’était un lieu bizarre et plein de cordialité, où, par façon de médianoche, on arrosait de spiritueux en rasades quelques tranches de gigot froid. Mme Charles Cros, une Scandinave, grande, simple, distinguée et bonne, s’accommmodait fort bien aux incohérences, ou comme il disait lui-même, au zutisme de son « enfant sublime ». Elle donnait l’impression à la fois d’une épouse dévouée et d’un excellent camarade. J’ai quelquefois, par la suite, songé à elle en écoutant les héroïnes d’Ibsen revendiquer les droits de l’individu au bonheur, à la liberté, au développement intégral de ses instincts. Mme Mathilde Mauté ne paraissait pas autrement se plaire dans un tel milieu. Fort avenante, mais avec un soupçon d’empois départemental, nous ne l’approchions guère sans timidité, car c’était pour elle, pour cette femme effacée, et tout de noir vêtue, que Verlaine avait écrit : « Les chères mains qui furent miennes... » et certes, nous hésitions à lui baiser la main, comme un croyant du Moyen Âge eût hésité à boire un vin profane dans les vases sacrés. Ses propos étaient d’une bourgeoise ; elle ne paraissait d’ailleurs se souvenir ni des hontes ni de la gloire. La conversion de Verlaine date de sa captivité dans la prison de Malines, où le mauvais vouloir de ses proches le garda, sans raison et sans humanité, lorsque la plus légère démarche auprès des autorités belges, eût conquis son élargissement. Cette conversion ne fut pas une entreprise fructueuse de librairie, ainsi que le retour à l’Église de M. Adolphe Retté, pour ne citer que le plus récent poivrot qui soigne par l’eucharistie sa pituite matinale ; ce ne fut pas, comme chez le doux Coppée et tant d’autres, un geste de domesticité académique, ni comme pour l’imperméable idiot que fut Huysmans, une protestation contre la l'uneste culinarité des bouillons pauvres. La foi de Verlaine, très sincère, faite de contrition et de mal aux cheveux, n’a rien qui doive surprendre chez un tel poète. Il avait reçu, tel que le rossignol de Claudel, « son cerveau en gosier ». L’incapacité de penser, de comprendre, fait partie intégrante du lyrisme de Verlaine. Cet être aérien, sonore et fugitif, aurait perdu la grâce et non acquis la force par l’étude et la méditation qui libèrent des dieux. Ce fut une intelligence de femme ou d’enfant, avec la surémotivité, le désarroi hystérique propre à créer chez certains dégénérés supérieurs ce que le Dr Binet-Sanglé nomme la « hystéro-génie ». Les imbéciles, les ruffians, les débauchés, la crapule de tout rang et de tout poil forme pour l’Église une clientèle d’élection, étant des sujets malléables, extraordinairement préparés aux hallucinations mystiques. L’alcoolisme est presque aussi efficace que le jeûne à modeler des saints. C’est ce qu’a vu très nettement Calderón dans la Dévotion à la Croix. En même temps que Sagesse, Verlaine écrivit Parallèlement, et c’est, en effet, une courbe parallèle à ses mystiques transports, que décrit la sensibilité du poète dans ces limpides sonnets à la gloire de Lesbos, ainsi que dans les pièces moins connues d’un recueil : D’aucuns, édité sous le manteau, et même de ce livre plus scabreux encore : D’aucuns, dont M. Gustave Le Rouge a eu, vers 1896, le manuscrit autographe entre les mains. Il y a là quelques pièces de tout premier ordre que les « pieux » exécuteurs testamentaires de Verlaine ont dû truquer depuis longtemps, ou vendre avec bien des profits. Ce n’est pas que Lélian fût exempt de toute passion politique. Un patriotisme braillard et revanchard, un patriotisme d’après-boire, qui « revient de la revue » à l’heure où les bourgeois sont couchés, animait son esprit enfantin. Il ressassait d’un ton puéril qui se croyait mordant toutes sortes de rengaines ; il mettait en vers — et quels vers ! — le rebut des plus basses polémiques. Voici, contemporain du fameux Article 7, un sonnet que je crois inédit qui ne déparerait en aucune façon Le Triboulet d’alors ou La Croix d’aujourd’hui : Papa Grévy, l'affreux Ferry persécuteur, Cazot proverbial et Gonstans légendaire (Pour la sottise crasse et la plate laideur ; Ges Chambres, bosse double au dos d’un dromadaire, — Idoines au régime, — ineptie, impudeur; Ces maires, ces préfets, leur argot, leur odeur, Et Favre à lui seul tout l’opprobre militaire ; Et la fédération des « purs », des « barbes », des « aïeux », Juillet, Février, Juin, et « Ceux » du Deux-Décembre, Bonnes jambes jamais lasses dans l’antichambre ; Et les jeunes encor plus bêtes que les vieux, Communards sans Hébert, Girondins sans Charlotte, Le tout, — un vol de sous dans un bruit de parlotte ! À Malines, pendant les tristes heures de réclusion, l’aumônier lit lire au poète le Catéchisme de persévérance par l’abbé Gaume, livre d’une imbécillité peu commune, même parmi ceux édités chez Marne ou chez Palmé. C’est, peut-on dire, la Somme des bêtises courantes à l’usage des catéchumènes et des « enfants de Marie » issus du moderne pignaurisme. Mes relations personnelles avec Paul Verlaine datent de 1883, de Lutèce, des Hydropathes, du Soleil d'Or et du Mercure de France alors en son avril. J’avais à peu près vingt-huit ans. M. Pappadiamantopoulos — Moréas — qui s’habillait comme un compère de revue, était alors mon contemporain ; mais il a beaucoup rajeuni depuis ce temps. Le pauvre Lélian revenait, escorté d’une légende « saturnienne » où l’envie et la sottise avaient collaboré pour la plus grande part. C’était « un homme pauvre et doux » qui, déjà, s’éloignait de la quarantaine, un pénitent bizarre, un pèlerin de caboulot qui sacrait, buvait, bavait et titubait, ponctuant chacun de ses discours avec le mot national que le Roi Ubu n’avait pas encore magnifié d’une sixième lettre. Coiffé d’un chapeau mou, éternellement cravaté d’un cache-nez de laine grise dont les bouts pendaient sur ses épaules à la façon d’une steinkerke, traînant la jambe et, presque toujours entre deux vins, il allait de café en café, du Procope au Soleil d'Or, avec sur ses talons une séquence de pierreuses en cheveux, d’éphèbes aux ongles en deuil qui, altérés de gloire et de boissons fermentées, s’enorgueillissaient à humer le pot dans une telle compagnie. À parler franc, de tous les vices imputés à Verlaine, un seul n’était pas imaginaire qui suffit à briser, dès le début, cette noble carrière. Sobre, il eût aimé Rimbaud, Létinois et les autres, comme Montaigne aima La Boétie, comme Shakespeare aima lord Southampton. L’ivresse condimenta cette dilection quasi-paternelle de ce que Racine appelle décemment quelques « familiarités indiscrètes ». De Vénus Ourania, pour Lélian ne reçut en don que l’uranisme. Il ne retrouvait la pleine conscience de lui-même que dans ces hôpitaux où l’amenait fréquemment sa redoutable hygiène. C’est là que, pendant les treize dernières années de son existence, il fomenta ses plus beaux vers. Quand les noires vapeurs de l’ivresse n’embrumaient plus cette noble intelligence, nul causeur plus lin, plus courtois et plus nourri. Son masque socratique, aux narines courtes et palpitantes, aux yeux bridés et malicieux, au sourire enfantin, s’animait d’une vie intense. Il contait avec infiniment d’esprit sa fugue en compagnie de Rimbaud à travers la Belgique, ses démêlés avec les tribunaux après que, son ami et lui, tous deux abominablement ivres, eurent échangé dans un café de Charleroi des coups de revolver. Il était plein d'anecdotes et de trouvailles. Il plaisantait avec belle humeur sa pente irrésistible à l’ivrognerie. Il narrait volontiers le mot d’un clergyman qui l’attendait à je ne sais quelle gare de Londres, vêtu de noir, plastronné de blanc, et de la tête aux pieds enduit d’anglicanisme, lui jeta comme bienvenue cette parole décisive : « La prenez-vous au sucre? » Le 25 du mois d’octobre 1894, MM. Xavier Privas, Eugène Turbert et Pierre Trimouillat, organisaient au café Procope, rue de l’Ancienne-Comédie, une représentation au bénéfice de Verlaine. L’entreprise n’allait pas sans quelques risques. Six mois auparavant, un gala donné au Vaudeville, sous la direction de M. Charles Morice, avait piteusement échoué. Cependant, le tenancier du café Procope, Théodore Bellefond, ancien tourneur en cuivre que l’on appelait Théo par apocope ainsi que pour flatter son appétit — ah! que faubourgien! — du « distingué », offrait la salle où, chaque soir, Privas et ses amis faisaient entendre leurs vers d’humour et leurs chansons d’amour. Ce Théo, petit homme, amplement quadragénaire, bedonnant, chauve, prudhommesque et solennel, ne perdait jamais une occasion de haranguer les masses avec des gestes pontificaux. L’espoir d’accueillir dans son estaminet des académiciens et des femmes en renom le délectait comme une pêche mûre. Un certain Chaillou de Kerleu se chargeait de faire les courses, de subjuguer la Haute Banque, et pareil au coureur de Salamine, d’agiter sur son front le bruissement d’un rameau d’or. En outre, les organisateurs lui demandaient un petit discours sur le héros de la fête, avec, pour diseurs de belles rimes, MM. Georges Wague, Louis Burger, Henry Veyret, Mlle Barberini, sans compter les chansonniers du Procope. Les adhésions furent nombreuses et cordiales. Au bout d’une semaine, le trésorier avait encaissé plus de mille francs. Le bon Nadar griffonnait une lettre charmante, vieil étudiant qui desserre de grand cœur les cordons pauvres de sa bourse. Vacquerie aussi mettait à donner la façon gracieuse qui relève le présent. La tribu des Rothschild — Alphonse, Edmond, Nathaniel — s’acquittait noblement... MM. Osiris, Magnard, Sully-Prudhomme, Claretie, Mlle Yvette Guilbert adressaient leur offrande. D’autres, gens de lettres ou gens du monde, en termes plus ou moins civils, déclinaient l’honneur de secourir le plus grand poète de ce temps. Edmond de Goncourt : « Mes regrets, je suis souffrant et, ne pouvant assister à la représentation, je vous renvoie les billets, 67, boulevard Montmorency, Auteuil. » « En l’absence de M. Olinet (Olinet!) qui ne revient pas avant la fin du mois, un certain M. Borneau, secrétaire de l’opulent bossu, retourne les billets. La princesse Mathilde fait de même : elle oublie élégamment d’affranchir sa lettre. Les Beaux-Arts, le Président de la République font tenir un présent qui n’a rien de somptueux. La duchesse de Luynes, la duchesse d’Uzès battent le record de la mauvaise grâce. M. Maurice Barrès dédaigne, et M. Léon Daudet n’est pas éloigné de croire qu’il fait honneur. Mais, planant sur cette glorieuse multitude, la belle Otéro, en collaboration avec sa cuisinière, décerne à la représentation Verlaine quelques perles qui n’appauvriront pas ses écrins : « Monsieur, Mlle Otéro (sic) étant absente pour quelques jours ne peut accepter vos billets, je pense quand elle en sera visée, cela l’ennuiera, Maria, pour Mlle Otéro. » Xavier de Montépin condescend à retenir un billet, malgré son mépris pour la littérature en général et pour Verlaine en particulier. Il se fait représenter par son valet de chambre, le soir de la performance, mais il omet de payer sa place avec un charmant laisser-aller. Ce jour-là, la petite salle du Procope était trop étroite. Du monde sur le balcon, du monde sur l’escalier, dans les coulisses du minuscule tréteau. Armand Silvestre était là, qui sourit et divulgue des poignées de main. Combien en est-il parmi ces jeunes hommes pour connaître de lui autre chose que les contes gras et les caprices orduriers? N’en est-il pas un qui sache par cœur « La gloire du souvenir » ? Dès les premiers mots, le bel Armand s’endort sur sa chaise et poursuit correctement le sommeil qui le berce, jusqu’au brouhaha final. Verlaine est assis en face de l’estrade. Il n’a pas bu d’absinthe. Il n’est même pas ivre et son linge apparaît plus blanc que le vol des colombes. Il s’attendrit, applaudit, embrasse le conférencier un peu ému d’avoir discouru, ce jour-là, devant un « parterre de rois ». A la sortie, Mouton, l’horrible Eugénie Krantz apporte la honte de sa présence, guette Verlaine pour le dépouiller sur-le-champ de la recette. Elle se monte encore, et tous les frais payés, à près de trente louis. Eugène Turbert et ses camarades ont pris le parti sage de convoquer l’hôtelier, qui, rue de Vaugirard, dans un coin mal odorant du quartier latin, héberge Paul Verlaine, afin d’acquitter les mensualités en retard. Dans le troisième quartier de la montagne Sainte-Geneviève, parmi les rues crasseuses, j’ai, le 24 janvier 1896, trouvé ce logis plus navrant que l’hôpital, où Verlaine exhala son dernier souffle. Sur le lit drapé de blanc, sur le lit pieusement jonché de lilas et d’hivernales roses, le poète est endormi. Son visage, dont la mort précise et ennoblit les traits, garde encore çà et là des plaques de hâle dont les teintes chaudes prolongent l’illusion de la vie. Son front vaste et majestueux comme la voûte d’un temple, son front touché par le baiser sanctitaire de la Muse, penche un peu vers l’oreiller appesanti, semble-t-il, par de lourdes pensées. Dans la chambre, un dessinateur prend des croquis. Paris entier monte et se découvre devant l’illustre mort. Et malgré l’horreur banale du taudis, malgré l’escalier empuanti de chlore, malgré les banquistes préparant pour demain leurs réclames funéraires, quelque chose de grand apparaît autour de ce cadavre. Désormais, Paul Verlaine appartient à l’admiration des hommes. La Gloire veille debout à son chevet funèbre. Finalement, elle couronne le divin poète, le maître sonore, d’une palme verdoyante, symbole de jeunesse et d’immortalité. À part la catastrophe qui l’éloigna pour jamais de la société régulière et fit de lui jusqu'à la fin de sa vie une manière d'outlaw, moitié proscrit et moitié dieu, Verlaine, peut-on dire, n'a pas eu d'histoire. Son existence s'est déroulée comme la comédie italienne, sur la place publique, entre les murs de l'hôpital et la porte du marchand de vins, avec, pour toile de fond, cette même cathédrale où, quatre siècles auparavant, le trimardeur François Villon s'agenouillait, « pour prier Notre-Dame ». Nul être humain ne fut plus que Verlaine spécialisé dans sa fonction. Ce fut un poète et rien de plus. Ronsard, Victor Hugo, Jean Racine mêlent à leurs dons lyriques d'admirables facultés oratoires. Ce sont de merveilleux rhéteurs, d'incomparables avocats. Verlaine est tout en cris, en effusions passionnées. Il délire, il se meurt, il pâme, transverbérée d'amour. Chaque fois qu'il s'exerce à développer, l'inspiration fuit, le verbe s'embourgeoise, l'étonnante Psyché remonte au ciel. Poète admirable et spontané, il n'a que la fierté d'un travail soutenu. On l'imagine malaisément, assis devant sa table à des heures méthodiques, et reprenant le lendemain sa tâche de la veille. La bohème, le désordre, la godaille populacière étaient le milieu propice à son génie. Il vivait naturellement parmi la crapule et trouvait, au cabaret, ses grâces les plus tendres, ses rythmes les plus délicats. Un lys fleurissait tout naturellement sur ce fumier. Il écrivait "Green" avec des poux dans la barbe. Qu'importe? La mort purifie et, comme le feu, ne laisse intacte que la divine essence. La bonne flèche aiguë et sa fraîcheur qui dure ont à jamais pénétré dans nos cœurs. Qu'importe le taudis de la grosse Margot, la chambre infamante de la Krantzà qui lit "Sagesse" ou les stances de la "Belle Heaulmière"? Les forces inconscientes qui nous mènent distribuent le génie et la beauté avec une majestueuse indifférence. Qu'importe à l'universalité des êtres un ténor contrefait, un poète scandaleux? Aussi bien, est-ce peut-être une consolation pour les déshérités que de voir cette indifférence de la Nature envers les biens qu'elle impartit et jusqu'à quel point le Monde est insoucieux de développer en notre faveur le meilleur de nos tendresses, le plus pur de nos orgueils : "Qui dabit nummi sement lanam, nebalam sicut cinerem spargit." (À suivre.) Laurent Tailhade. LA BELLE FILLE Au cœur de la moisson dont s’érigent les ors, Quand la clarté se boit, se mange et se respire, Je suis tes pas aux champs et longuement j’admire Le faisceau de santé que dresse et meut ton corps. Le dur et franc travail fait ton effort superbe. Les gars, à coups de faux, abattent le froment, Mais ce sont tes deux bras à toi qui, fortement, Nouent les épis d’un tour de poing, et font la gerbe. Tu adores l’élan, la peine et la sueur; Le geste utile et clair dans la belle lumière. Et tes yeux sont vaillants, à travers la poussière. Que soulève la hâte autour de ton labeur. Un sang rouge et puissant circule en tes artères, Et ta bouche est charnue et tes cheveux sont roux Et les monts de tes seins superbement debout, Et ton corps est heureux de marcher sur la terre... Jusqu’à l’heure du soir où les faucheurs s’en vont, Tu t’attardes dûment à la tâche vitale Et l’entêtement doux de la Flandre natale Par-dessus tes regards luisants, bloque ton front. Aussi, dans les polders de Tamise et de Hamme, Ceux dont l’amour soudain rend le cœur haletant Songent à la vigueur belle de tes vingt ans Quand ils rêvent, le soir, quelle sera leur femme. Il La Belle Fille Un jour, ta ferme claire avec son pignon droit Luira dans l’or des grands blés mûrs, épanouie ; Ta volonté sera largement obéie Et l’ordre et l’abondance habiteront ton toit Et la vie éclora de ton ventre robuste Nombreuse et violente, ainsi qu’aux temps anciens Où chaque couple avait dix enfants pour soutiens De sa vieillesse lente et de sa mort auguste ! Emile Verhaeren. LA RENAISSANCE DU PAGANISME Je ne ferai aucune découverte en proclamant que nous assistons, aujourd'hui, — témoins ravis, irrités ou curieux, — à une renaissance du paganisme. En littérature et, plus spécialement, en poésie, ce phénomène s’est traduit par le regain de faveur dont a profité, depuis quelque temps, la mythologie ancienne, mise à contribution avec un rare bonheur par Henri de Régner, Laurent Tailhade, Jean Moréas, Maurice de Noisay, Raymond de la Tailhède, Léon Deubel, et bien d’autres héritiers, plus ou moins directs, de la Pléiade qui ont versé dans le moule de l’humanisme les plus subtiles émotions de l’âme moderne. Chez eux, l’emploi de la mythologie, loin d’être un procédé factice et tout au moins suranné, loin de servir de froide parure à des lieux communs traditionnels, devient l’expression saisissante et plastique de tous les frissons, de tous les élans de l’Instinct, l’allégorie concrète où se projette l'ardent naturalisme panthéistique qui inspire leurs œuvres. Satyres, faunes, dryades ne sont, pour eux, que les formes vivantes de l’universel Désir... Mais ce n’est point sur ce retour à un hellénisme plus sensible et plus complexe que celui d’André Chénier, que je veux insister pour l’instant : je me réserve d’y revenir un jour. De cette évolution poétique, la création d’Akadèmos est un éloquent indice ! Mon dessein est de rechercher brièvement pour quelles raisons d’ordre divers cette renaissance du paganisme se manifeste aussi dans la conduite de l’existence et même dans les récentes conceptions de la philosophie. Nous avons affaire, vraisemblablement, à un profond mouvement d’idées, ou plutôt, à un irrésistible courant de tendances, qui influence tous les modes de l’activité humaine. À propos de certains crimes sensationnels, les statisticiens qui excelent à piller la troisième page des journaux sans toujours contrôler leurs sources, — les moralistes chagrins et les prédicateurs élégiaques qui pleurent sur notre prétendue décadence, — les politiciens, sans scrupules qui, faisant flèche de tout bois, ne craignent pas d’attribuer au régime les vices des individus, — les amateurs de paradoxes, qui sont légion au pays de Voltaire et d’Anatole France, — ont déclaré sans sourciller que, sur les ruines de la Religion minée par la libre critique et insuffisamment remplacée par des systèmes fragiles et successifs, le Paganisme faisait triompher une insolente réhabilitation de l’Instinct repoussant toute loi, toute contrainte. Derrière la statue renversée de Bossuet, ils ont vu se dresser l’ombre malicieuse et souriante de Rabelais... Ils ont vu Physis, radieuse, en robe flottante, danser une folle sarabande sur le cadavre sinistre d’Anti-Physis... À l’austérité janséniste des moralistes qui exaltaient le sacrifice et la résignation, s’est substitué un scepticisme tolérant, plein d’indulgence à l’égard des faiblesses charnelles. Non sans feindre un effroi peut-être outré, les raides puritains et les gardiens intraitables des privilèges ont entendu des créatures, jadis courbées sous le faix de la souffrance, désavouer de vains espoirs en des compensations supraterrestres, et réclamer âprement leur part de jouissance immédiate. — À nos yeux, tous ceux qui ont été pris de panique ont exagéré le péril ; car enfin, pour nous en tenir à un exemple, la Religion traditionnelle, qui a résisté à des assauts terribles et répétés, a encore, chez nous, de solides racines dans l’automatisme des croyances et des coutumes pieuses que perpétue la constitution sociale de la Famille. Mais il est indéniable qu’un mouvement de désaffection se produit, qui écarte de plus en plus les esprits éclairés, les tempéraments originaux, des formules confessionnelles et des règles de vie fondées sur des postulats métaphysiques, et qui conduit certains d’entre eux au seuil du paganisme nouveau. C’est là, d’abord, une des conséquences du positivisme qui, depuis Auguste Comte, a régné presque sans conteste, jusqu’à ces derniers temps, sur la pensée du siècle. Pratiquement, cette doctrine a engendré des revendications économiques, de plus en plus pressantes, qui ont exprimé l’aspiration de tout un peuple vers plus de bien-être, vers une plus équitable et plus harmonieuse répartition des richesses de la Terre, trop souvent monopolisées par les moins dignes d’une telle opulence. Ainsi, le positivisme, quoique découronné (au moins dans sa forme première) de tout prestige poétique et de toute grâce légendaire, a pu sembler une sorte de paganisme, mais un paganisme d’allure scientifique qui, détournant les hommes de toute rêverie mystique et de toute spéculation stérile, les a orientés vers la progressive conquête des forces naturelles, vers l’utilisation intelligente de l’Univers matériel, derrière lequel il n’y a, sans doute, que le néant des belles chimères. — De son côté, Renan, par une analyse délicate et impitoyable qui s’enveloppait de respect attendri, a réduit la religion dogmatique à un ensemble de symboles, plus ou moins riches de sens ou de vertu moralisatrice... Et, à la suite de cet enchanteur, de cet aristocrate de la ligne, dont l’intuition souple pénétrait tous les secrets de l’Esthétique grecque, tous les amants de Pallas Athéné ont récité, avec ferveur, leur « prière sur l’Acropole ». Disciple non servile de ce Platon moderne, l’exquis auteur de Thaïs et du Jardin d'Epicure s’est complu à dissoudre de son ironie les préjugés solennels, les conventions puériles, tout le vernis des contraintes artificielles que vénère béatement notre naïveté. Et de ses livres savoureux se dégage une leçon de tolérance avertie, de bonté nonchalante, de dilettantisme un peu détaché qui fait songer à Horace. — Enfin, la philosophie de Nietzsche a singulièrement contribué à systématiser les tendances que les œuvres précédentes avaient flattées et entretenues ; elle a répandu, plus que toute autre, le mépris des morales anciennes. En montrant qu’au lieu de renoncer à l’être, il fallait, au contraire, appliquer toute son énergie à le réaliser pleinement, à s’élever au plus haut degré d’activité générale et surtout d’intensité cérébrale, de façon à développer toutes ses puissances et à en jouir sans entraves, — ce hardi apologiste du surhomme a déchaîné, paraît-il, les initiatives les plus brutales et les égoïsmes les plus féroces. Il a persuadé à toute une génération, impatiente et fiévreuse, qu’il ne fallait nullement limiter, restreindre en soi « le vouloir vivre », en le subordonnant à un idéal plus ou moins vague et hypothétique, en l’asservissant à l’impératif catégorique d’une conscience trop inquiète, en l’émasculant par de continuels scrupules de compassion, de charité, — bons tout au plus pour les lâches et les sots ! Il a enseigné à cette génération un art savant en vue de favoriser l’épanouissement intégral du « génie », au risque d’écraser les faibles, les « moins armés », selon la formule darwinienne, et de rejeter dans les ténèbres extérieures la foule rampante des Barbares, indignes de coudoyer l’Esthète, ce produit rare et merveilleux de la nature volontairement soumise à une culture diligente... Et, comme l’Artiste part de la sensation pour construire ses chefs-d’œuvre; comme, ayant besoin de matériaux de plus en plus délicats, il en arrive nécessairement à rechercher les sensations raffinées ; le disciple de Nietzsche a uni dans son dilettantisme conscient et souverain toutes les satisfactions de la volupté à toutes les joies de la méditation et du rêve. Il a passé, en se jouant, de la sérénité apollinienne à l’ivresse dionysiaque; il s’est installé au centre de l’univers pour tirer de la fantasmagorie des couleurs, des odeurs et des sons la plus grande somme possible de plaisir. Bien entendu, des critiques superficielles n’ont pas manqué d’adresser à Nietzsche l’objection suivante : « Admettons que vos prémisses soient justes et que vous ayez raison de faire table rase des morales anciennes! Ne comprenez-vous point que votre système n’est qu’un encouragement à l’orgueil des médiocres, autorisés par vous à se croire capables d’atteindre à l’idéal du surhomme?... Car, évidemment, vos lecteurs seront tentés, trop fréquemment, de se ranger eux-mêmes dans la noble catégorie des « génies méconnus » et, pour se frayer une route à travers l’âpre mêlée des convoitises, ils s’arrogeront tous les droits, même celui d’étouffer sous leur ambition agressive des talents plus profonds et plus originaux, mais moins disposés à la lutte !... » — Touchantes erreurs !... Et d’abord, l’orgueil en soi n’est pas un mal, pour qui s’est débarrassé de la notion chrétienne du péché et de la faute originelle. Seul, le résultat importe ; et, si l’orgueil engendre un chef-d’œuvre, il convient de le bénir. D’ailleurs, le plus souvent, les médiocres hésiteront à pratiquer la discipline intellectuelle, l’effort de perfectionnement esthétique que postulent les théories nietzschéennes : ils auront trop de peine de voler jusqu’aux sommets et, avant d’y parvenir, ils se briseront les ailes... A supposer que la lecture des écrits du philosophe allemand fasse naître chez quelques impuissants des illusions grandioses qui les mèneront aux déceptions les plus cruelles, faudra-t-il s’en plaindre à l’excès?... Tôt ou tard, mécaniquement, le triage s’opérera entre les dégénérés et les forts. Cette épreuve, salutaire aux premiers qu’elle édifiera sur leur irrémédiable faiblesse, permettra aux seconds de se dégager de la multitude confuse, de former une élite dont chaque membre, tout en conservant jalousement sa personnalité, se sentira solidaire du voisin et aura à cœur de promouvoir la commune ascension vers les cimes. Oui, certes, si cette concurrence, avec le « jeu » qu’elle implique, n’existait pas, il faudrait l’inventer !... Grâce à la sélection qui en résultera, nous aboutirons à une échelle des valeurs intellectuelles dont le couronnement sera le génie, regardé comme le terme parfait vers lequel tend l’évolution de l’Univers, — s’il est vrai que la finalité immanente est d’ordre esthétique, et non d’ordre moral. Malgré les laideurs apparentes, dont l’homme est, d’habitude, l’auteur responsable, pourquoi ne pas croire que l’architecture générale du Cosmos a pour clé de voûte la Beauté ?... En tout cas, l’on ne saurait trop louer Nietzsche d’avoir sapé, en même temps que le morose pessimisme de Schopenhauer, la Raison pratique de Kant, ce docteur officiel de l’Église laïque, dont l’influence est encore prépondérante dans l’Enseignement où trop d’esprits, soi-disant affranchis de tout préjugé, adhèrent à cet étroit dogmatisme : comme si la Raison pratique n’était point la partie caduque de l’œuvre imposante de l’immortel métaphysicien qui a coordonné et organisé les principes du criticisme, avec une vigueur de déduction sans pareille et une admirable puissance de synthèse ! Affirmer que la volonté tend spontanément au Bien, considéré comme une fin universelle, et réalise dans sa pleine autonomie l’impératif catégorique dicté par la conscience, sans trop se préoccuper de savoir si l’on peut logiquement démontrer que nous sommes libres, que l’âme est impérissable, et qu’il existe un juge suprême et un suprême rémunérateur, — c’est poser des prémisses magnifiques mais bien fragiles, des postulats superbes mais hasardeux ; c’est suivre la tradition des stoïciens, pour lesquels la volonté se suspend naturellement au plus grand bien perçu par l'intelligence ; c’est avouer aussi que l’on a subi l’empreinte du piétisme protestant qui poussait le scrupule moral jusqu’aux excès du puritanisme ; mais c’est bâtir sur le sable et placer la pyramide sur sa pointe ; c’est, par un démarquage maladroit, garder le résidu de la morale spiritualiste et religieuse, tout en ébranlant le fondement métaphysique sur lequel celle-ci avait l’avantage de reposer; c’est instaurer un art de vivre surnaturel et divin, ... où la Divinité n’est admise qu’à titre d’hypothèse infiniment probable ; c’est, enfin, ne tenir aucun compte des vraisemblances psychologiques et des lois de la sensibilité humaine pour laquelle la poursuite du Bonheur, loin d’être une déchéance et une abdication de la liberté intérieure, reste inséparable de l'accomplissement du Bien. Ainsi, pour les chrétiens, la récompense céleste, sans être à elle seule une suffisante raison de bien agir, doit se surajouter nécessairement à la vie orientée vers la perfection, — comme la fleur embaumée s’épanouit à l’extrémité de la tige. Nietzsche a eu le courage de dénoncer tout ce qu’il y avait d’arbitraire et de sophistique dans ce système kantien, convenable tout au plus pour quelques héros et quelques saints, pour quelques natures ascétiques dont l’espèce se faisait de plus en plus rare. Il a laissé comprendre qu’il fallait se féliciter de voir s’éteindre cette race monacale et anémique, au profit d’une race plus ardente et plus féconde en œuvres positives. Il a montré combien il était faux de concevoir une volonté absolument autonome, alors que, par l’hérédité, par le milieu, par l’éducation, par toutes sortes de circonstances, notre volonté se trouve restreinte et « déterminée ». Enfin il s’est demandé de quel droit l’on assignait à l’effort humain et au dynamisme universel un but aussi lointain et austère que la Perfection morale. Et comment donner tort à l’auteur de Zarathustra ? Certes, il a été bien inspiré en réclamant un tour de faveur pour le critère esthétique, trop longtemps négligé ! Réfléchissons à cette vérité, en apparence puérile, en réalité très suggestive: tout être, du moment qu’il a été jeté sur terre et plongé dans la mêlée brutale sans avoir sollicité le contestable bonheur de vivre, doit avoir la faculté d’organiser à sa guise son existence et de s’adapter le plus commodément possible au milieu humain que le caprice génésique de ses parents lui a imposé ; dans l’état actuel des choses, il ne peut plus être simple figurant, sous peine d’être éliminé, écrasé par la horde conquérante des « mieux armés » ; il est obligé d’être acteur dans le grand drame et, pour employer une expression vulgaire, de se « débrouiller » au mieux de ses intérêts. Dès lors, pourquoi refuser à l’artiste, qui a conscience de sa valeur latente, le droit de développer toutes ses virtualités et de viser au maximum d’intensité, à la qualité de surhomme, dût-il sacrifier sur l’autel de sa gloire quelques individualités maladives, insignifiantes et condamnées, par cela même, à la mort ? En somme, ce qui importe, c’est bien moins d’assurer le pâturage au troupeau confus, que de mettre en lumière les fronts olympiens ! Et seuls protesteront les utopistes pour qui la fraternité est un besoin et l’égalité absolue, un dogme ! Seuls se récrieront ceux qui se plaisent à être éternellement dupes ou qui se sentent comprimés dans les lisières de leur incurable médiocrité ! La philosophie a donc aidé de façon singulière à cette renaissance du paganisme qui, d’ailleurs, se trahit dans les moindres détails de la civilisation contemporaine. Songeons à l’habileté technique des fabricants, des commerçants de tout ordre, qui lancent sur le marché, comme pour rendre plus attachant le décor de notre existence, des objets d’art véritablement merveilleux (statuettes, meubles, bijoux, etc.) ; songeons à l’évolution de la mode qui, après avoir remis au premier plan les péplums Directoire inspirés par la sculpture hellénique, impose maintenant des costumes aux lignes sinueuses qui moulent fidèlement le corps onduleux de nos élégantes et qui en accusent la plastique émouvante. Il est manifeste que la vie moderne, non seulement réclame un « confort » qui, souvent, touche au raffinement, mais encore réhabilite la « guenille » si chère au bonhomme Chrysale : c’est que le corps ne nous apparaît plus comme l’instrument méprisable du péché, mais comme la source première de toutes nos joies et même comme la condition initiale de toute esthétique combinant avec harmonie des sensations vécues et non de froides idées; — c’est que nous y voyons un bien palpable, immédiat, et comme la forme concrète de notre personnalité interne qui risquerait de se dissoudre, sans lui, en un mouvant « devenir », en un phénoménisme instable; — c’est que nous saisissons dans notre organisme la base même de ce monde du subconscient qui établit la continuité entre la matière cosmique et l’esprit pur. et qui fournit des ressources si abondantes à notre travail mental. Tout cela revient à dire que nous nous rallions de plus en plus au point de vue du Paganisme, si juste en son apparente simplicité. Quelle sera la conclusion pratique de ce mouvement qui s’accentue chaque jour? A quelle attitude peut-il nous conduire? Il sera prudent d’éviter une réponse trop tranchante.
US-202217568739-A_2
USPTO
Public Domain
The definition and the range of the depth of the second recess R2 in the present embodiment may refer to the descriptions of the first recess R1, and will not be redundantly described. In addition, in the present embodiment, as mentioned above, the light converting element LCM may be disposed in the openings OP1 defined by the partition walls PW, and the second recesses R2 are formed of the second insulating layer IL2 corresponding to the openings OP1. Therefore, the second recesses R2 of the present embodiment may for example correspond to the light converting element LCM, as shown in FIG. 8, but not limited thereto. According to the present embodiment, when the first substrate structure SBS1 is to be adhered to the second substrate structure SBS2 to form the display device 100, since the inner surface (that is, the upper surface S1 of the insulating layer IL1) of the first substrate structure SBS1 in contact with the adhesive layer AL and the inner surface (that is, the surface S3 of the second insulating layer IL2) of the second substrate structure SBS2 in contact with the adhesive layer AL may respectively include the first recesses R1 and the second recesses R2, a part of the adhesive layer AL may be filled in the first recesses R1 and/or the second recesses R2 to reduce the condition that the frame glue (such as the frame glue DW shown in FIG. 4) is broken due to squeeze of the adhesive layer AL during the adhering process, thereby reducing the possibility that the subsequent cutting process or bonding process are affected. It should be noted that although the display device 100 shown in FIG. 8 includes the first recesses R1 and the second recesses R2, the present disclosure is not limited thereto. In some embodiments, the display device 100 may include the second recess R2 located at the second substrate structure SBS2 but not include the first recess R1 located at the first substrate structure SBS1, and during the adhering process of the first substrate structure SBS1 and the second substrate structure SBS2, a part of the adhesive layer AL may be filled in the second recesses R2, but not limited thereto. Referring to FIG. 9, as long as FIG. 8, FIG. 9 schematically illustrates a cross-sectional view of first recesses and second recesses according to a variant embodiment of the third embodiment of the present disclosure. In order to simplify the figure, the first substrate structure SBS1 and the second substrate structure SBS2 are shown as a single layer in FIG. 9, but not limited thereto. According to the present embodiment, the first recesses R1 of the first substrate structure SBS1 may for example correspond to the second recesses R2 of the second substrate structure SBS2. Specifically, each of the first recesses R1 may for example correspond to one second recess R2, but not limited thereto. “The first recess R1 correspond to the second recess R2” mentioned above may represent that the first recess R1 is overlapped with the corresponding second recess R2 in a top view direction (direction Z) of the display device 100 in the present embodiment. For example, when viewing a cross-section of a panel after embedding apart of the panel and grinding the panel, the first recess R1 may at least partially be overlapped with the second recess R2, but not limited thereto. For example, as shown in FIG. 8, since each of the first recesses R1 shown in FIG. 8 is substantially overlapped with a second recess R2 in the top view direction (direction Z) of the display device 100, each of the first recesses R1 shown in FIG. 8 may be regarded to be corresponding to the second recess R2 which it is overlapped with, but not limited thereto. In some embodiments, when the number of the first recesses R1 is greater than the number of the second recesses R2, a part of the first recesses R1 may not correspond to the second recesses R2; in some embodiments, when the number of the second recesses R2 is greater than the number of the first recesses R1, apart of the second recesses R2 may not correspond to the first recesses R1, but not limited thereto. It should be noted that “the first recess R1 is overlapped with the second recess R2” mentioned above may include the condition of partial overlap in the present embodiment, and the corresponding relation between the first recesses R1 and the second recesses R2 shown in FIG. 8 is just exemplary, the present disclosure is not limited thereto. In detail, according to the present embodiment, when the overlapping area of the projection of the first recess R1 on a plane (such as the X-Y plane, but not limited thereto) perpendicular to the top view direction (direction Z) of the display device 100 and the projection of the second recess R2 on the plane perpendicular to the top view direction of the display device 100 is greater than 50% of the greater projected area among the projected area of the first recess R1 on the plane perpendicular to the top view direction of the display device 100 and the projected area of the second recess R2 on the plane perpendicular to the top view direction of the display device 100, the first recess R1 may be regarded to be corresponding to the second recess R2, but not limited thereto. For example, as shown in FIG. 9, the first recess R11 may for example have a projected area A1 on a plane perpendicular to the top view direction of the display device 100, the second recess R21 may for example have a projected area A2 on a plane perpendicular to the top view direction of the display device 100, and the projection of the first recess R11 and the projection of the second recess R21 may for example have an overlapping area OA. According to the present embodiment, when the projected area A1 is greater than the projected area A2, and the overlapping area OA is greater than 50% of the projected area A1, the first recess R11 may be regarded to be corresponding to the second recess R21, or, when the projected area A2 is greater than the projected area A1, and the overlapping area OA is greater than 50% of the projected area A2, the first recess R11 may be regarded to be corresponding to the second recess R21, but not limited thereto. The corresponding relationship between the first recesses R1 and the second recesses R2 described in FIG. 8 and FIG. In the present variant embodiments, the first recess R1 and the second recess R2 corresponding to each other may respectively have any suitable shape, and the first recess R1 and the corresponding second recess R2 may have different shapes, the present disclosure is not limited thereto. For example, as shown in FIG. 9, the first recess R12 may correspond to the second recess R22, wherein the shape of the first recess R12 may be different from the shape of the second recess R22, but not limited thereto. In the present variant embodiment, the first recess R1 and the second recess R2 corresponding to each other may respectively have any suitable size, and the first recess R1 and the corresponding second recess R2 may have different sizes, the present disclosure is not limited thereto. For example, as shown in FIG. 9, the first recess R13 may correspond to the second recess R23, wherein the shape of the first recess R13 and the shape of the second recess R23 may be different, but not limited thereto. According to the present embodiment, “the size of the first recess R1 and the size of the second recess R2” mentioned above may respectively represent the volume of the first recess R1 and the volume of the second recess R2, but not limited thereto. In the following, the first recess R13 shown in FIG. 9 is taken as an example for illustrating the definition method of the volume of the recesses (first recesses R1 and second recesses R2) of the present disclosure. First, the shape (as shown in FIG. 9) of the first recess R13 in the cross-section of the first substrate structure SBS1 may be defined at first, wherein the definition of the cross-section of the first substrate structure SBS1 may refer to the above-mentioned contents, and will not be redundantly described. After the shape of the cross-section of the first recess R13 is confirmed (such as the trapezoid shown in FIG. 9, but not limited thereto), the first plane PSR1 at the left side of the first recess R13 and the first plane PSR2 at the right side of the first recess R13 may respectively be defined according to the contents in the above-mentioned embodiments, and the second plane PSR1′ and the second plane PSR2′ may be defined respectively based on the first plane PSR1 and the first plane PSR2. In detail, as mentioned above, when a vertical distance H1 is included between the first plane PSR1 and the upper surface S2 of the first base substrate (FIG. Referring to FIGS. 10, 11 and 12, FIGS. 10, 11 and 12 schematically illustrate a cross-sectional view of a display device according to a fourth embodiment of the present disclosure, wherein FIG. 11 shows the structure that a plurality of light emitting elements LE is disposed in a single first recess R1 of the first substrate structure SBS1, and FIG. 12 shows the cross-section of the structure shown in FIG. 11 along a section line A-A′. In order to simplify the figure, FIG. 11 only shows the light emitting elements LE and the arrangement thereof, and other elements and/or layers are omitted, but not limited thereto. As mentioned above, the first recesses R1 and/or the second recesses R2 of the present disclosure may provide a space for containing the adhesive layer AL, thereby reducing the possibility that the frame glue is broken due to squeeze of the adhesive layer AL during the adhering process. Therefore, in the present embodiment, the adhesive layer AL may be designed to be filled in at least one of the first recess R1 and/or the second recess R2 to reduce the problem that the frame glue is broken due to squeeze of the adhesive layer AL during the adhering process. In order to achieve the above-mentioned goal, the adhesive layer AL may be disposed in the first recesses R1 and/or the second recesses R2 in any distribution way. In some embodiment, the adhesive layer AL does not need to be completely filled in all of the first recesses R1 and/or the second recesses R2, but not limited thereto. For example, as shown in FIGS. 10 and 12, after the first substrate structure SBS1 is adhered to the second substrate structure SBS2, a part of the first recesses R1 and/or second recesses R2 (such as the second recess R2 at the left side shown in FIG. 10 and the second recess R2 shown in FIG. 12) may include the partially filled adhesive layer AL, or in other words, the adhesive layer AL may not completely be filled in the part of the first recesses R1 and/or the second recesses R2, but not limited thereto. Or, in some embodiments, a part of the first recesses R1 and/or the second recesses R2 may not include the adhesive layer AL, but not limited thereto. For example, the second recess R2 at the right side shown in FIG. In addition, although the bottom of the first recess R1 (or the upper surface of the first insulating layer IL1 corresponding to the bottom of the first recess R1) includes a flat structure, the present disclosure is not limited thereto. In some embodiments, the upper surface of the first insulating layer IL1 corresponding to the bottom of the first recess R1 may include an uneven structure such as a wavy structure with ups and downs according to the shape of the light emitting elements LE, but not limited thereto. The feature that the upper surface of the first insulating layer IL1 corresponding to the bottom of the first recess R1 includes an uneven structure may be applied to each of the embodiments and variant embodiments of the present disclosure. Referring to FIGS. 13 and 14, FIGS. 13 and 14 schematically illustrate the disposition of an adhesive layer according to a fifth embodiment of the present disclosure, wherein FIG. 14 shows a top view of a structure that the adhesive layer AL is disposed on the first substrate structure SBS1, and FIG. 13 is a cross-section of the structure shown in FIG. 14 along a section line B-B′. In order to simplify the figure, the light emitting elements LE are shown as a single layer in FIG. 13, and the first insulating layer is omitted in FIG. 13. In addition, FIG. 14 only shows the first base substrate SB1, the adhesive layer AL, the first recess R1 and the frame glue DW, and other elements and/or layers are not shown. As mentioned above, the display device 100 of the present disclosure may be formed by adhering the first substrate structure SBS1 and the second substrate structure SBS2 through the adhesive layer AL, and according to the present embodiment, the material of the adhesive layer AL (such as water glue) may for example be disposed on one of the first substrate structure SBS1 and the second substrate structure SBS2 which includes the recess structure before adhering the first substrate structure SBS1 to the second substrate structure SBS2, but not limited thereto. That is, when the first substrate structure SBS1 includes the first recesses R1, and the second substrate structure SBS2 does not include the second recess R2, the adhesive layer material (shown as the adhesive layer AL in FIGS. 13 and 14) may be disposed on the first substrate structure SBS1; when the first substrate structure SBS1 does not include the first recess R1, and the second substrate structure SBS2 includes the second recesses R2, the adhesive layer material may be disposed on the second substrate structure SBS2; when the first substrate structure SBS1 includes the first recesses R1, and the second substrate structure SBS2 includes the second recesses R2, the adhesive layer material may be disposed on the first substrate structure SBS1 or the second substrate structure SBS2, but not limited thereto. In detail, the forming method of the display device 100 of the present embodiment may for example include the following steps. First, as shown in FIG. 14, the first substrate structure SBS1 having the first recesses R1 (or the second substrate structure SBS2 having the second recesses R2) may be provided, wherein the forming method of the first substrate structure SBS1 may refer to the contents mentioned above, and will not be redundantly described. It should be noted that FIG. 14 shows the structure that a plurality of first substrate structures SBS1 (for example, FIG. 14 shows six first substrate structures SBS1, but not limited thereto) include the same first base substrate SB1 as a mother board, and the structure may be divided into a plurality of display devices 100 in the subsequent cutting process, but not limited thereto. Then, the frame glue DW with a closed shape may be formed on the first base substrate SB1, wherein the frame glue DW may define the disposition range of the adhesive layer material on the first substrate structure SBS1 in the subsequent process, but not limited thereto. In the present embodiment, the viscosity of the frame glue DW may be greater than the viscosity of the adhesive layer material, such that the possibility of flow of the frame glue DW during the manufacturing process of the display device 100 may be reduced. In detail, the viscosity of the frame glue DW of the present embodiment may for example range from 600,000 to 1,000,000 cps (that is, 600,000 cps≤viscosity≤1,000,000 cps), but not limited thereto. After the frame glue DW is disposed, the adhesive layer material may be disposed in the region enclosed by the frame glue DW. According to the present embodiment, the adhesive layer material may be disposed on any suitable position of the first substrate structure SBS1 (or the second substrate structure SBS2), and the disposition position thereof may be adjusted according to the demands of the process. For example, as shown in FIGS. 13 and 14, the adhesive layer material may be randomly disposed on the first substrate structure SBS1 in the region enclosed by the frame glue DW, and the present disclosure is not limited thereto. In the present embodiment, the adhesive layer material may for example be disposed on the first substrate structure SBS1 through the drop filling process, the slot-die coating process or other suitable processes, but not limited thereto. In summary, the display device including the first substrate structure, the second substrate structure and the adhesive layer for adhering the first substrate structure and the second substrate structure is provided by the present disclosure. Since the surfaces of the first substrate structure and/or the second substrate structure in contact with the adhesive layer may include the recess structure, the possibility that the frame glue in the peripheral region is broken due to squeeze of the adhesive layer AL during the adhering process may be reduced, and the subsequent cutting process or bonding process may be improved, thereby improving the yield of the display device. Those skilled in the art will readily observe that numerous modifications and alterations of the device and method may be made while retaining the teachings of the disclosure. Accordingly, the above disclosure should be construed as limited only by the metes and bounds of the appended claims. What is claimed is: 1. A display device, comprising: a first substrate structure having a first recess; a second substrate structure disposed opposite to the first substrate structure; and an adhesive layer sandwiched between the first substrate structure and the second substrate structure, wherein apart of the adhesive layer is filled in the first recess. 2. The display device as claimed in claim 1, wherein a depth of the first recess is greater than or equal to 0.01 μm and less than or equal to 10 μm. 3. The display device as claimed in claim 1, wherein a depth of the first recess is greater than or equal to 0.5 μm and less than or equal to 5 μm. 4. The display device as claimed in claim 1, wherein the second substrate structure comprises a second recess and a part of the adhesive layer is filled in the second recess. 5. The display device as claimed in claim 4, wherein the second recess is corresponding to the first recess. 6. The display device as claimed in claim 1, wherein the first substrate structure comprises a first base substrate, a first insulating layer and an light emitting element which is disposed between the first base substrate and the first insulating layer. 7. The display device as claimed in claim 6, wherein the first insulating layer forms the first recess and the light emitting element is corresponding to the first recess. 8. The display device as claimed in claim 6, wherein the light emitting element is a bar type light emitting diode. 9. The display device as claimed in claim 4, wherein the second substrate structure comprises a second base substrate, a second insulating layer and alight converting element which is disposed between the second base substrate and the second insulating layer. 10. The display device as claimed in claim 9, wherein the second insulating layer forms the second recess and the light converting element is corresponding to the second recess. 11. The display device as claimed in claim 9, wherein the light converting element comprise quantum dots..
github_open_source_100_1_107
Github OpenSource
Various open source
#!/usr/bin/python26 """ This is a CGI that will add 20 minutes of downtime for whatever host accesses it. It's intended to be called from the shutdown scripts of hosts, so that hosts that are being shut down in a controlled manner don't cause spurious alerts. """ import time, zmq, os, socket from datetime import timedelta, datetime print "Content-Type: text/html" print zctx = zmq.Context() push = zctx.socket(zmq.PUSH) push.connect("tcp://localhost:5556") req = zctx.socket(zmq.REQ) req.connect("tcp://localhost:5557") start_time = int(time.time()) end_time = start_time + timedelta(minutes=15).seconds hostname, aliaslist, iplist = socket.gethostbyaddr(os.environ['REMOTE_ADDR']) def resolve_name(name): cmd = { 'host_name': name, 'keys': [ 'type', 'host_name' ] } req.send_json(cmd) ret = req.recv_json() for o in ret: if o['type'] == 'host': return o['host_name'] return None def resolve_fullname(name): parts = name.split('.') highpart = 0 while highpart < len(parts): name = resolve_name('.'.join(parts[0:highpart])) if name: break highpart += 1 return name realname = resolve_fullname(hostname) if not realname: for name in aliaslist: realname = resolve_fullname(name) if realname: break if not realname: print "Error finding matching hostname!!" exit(1) cmd = { 'host_name': realname, 'type':'downtime_add', 'author_name':'reboot', 'comment_data': 'Downtime during reboot', 'entry_time': int(time.time()), 'fixed': True, 'start_time': start_time, 'end_time': end_time, 'duration': end_time - start_time, 'triggered_by': 0 } push.send_json(cmd) exit(0)
github_open_source_100_1_108
Github OpenSource
Various open source
package com.example.to_docompose.navigation.destination import androidx.compose.animation.ExperimentalAnimationApi import androidx.compose.material.ExperimentalMaterialApi import androidx.compose.runtime.LaunchedEffect import androidx.compose.runtime.getValue import androidx.compose.runtime.mutableStateOf import androidx.compose.runtime.saveable.rememberSaveable import androidx.compose.runtime.setValue import androidx.navigation.NavGraphBuilder import androidx.navigation.NavType import androidx.navigation.navArgument import com.google.accompanist.navigation.animation.composable import com.example.to_docompose.ui.screens.list.ListScreen import com.example.to_docompose.ui.viewmodels.SharedViewModel import com.example.to_docompose.util.Action import com.example.to_docompose.util.Constants.LIST_ARGUMENT_KEY import com.example.to_docompose.util.Constants.LIST_SCREEN import com.example.to_docompose.util.toAction @ExperimentalAnimationApi @ExperimentalMaterialApi fun NavGraphBuilder.listComposable( navigateToTaskScreen: (taskId: Int) -> Unit, sharedViewModel: SharedViewModel ) { composable( route = LIST_SCREEN, arguments = listOf(navArgument(LIST_ARGUMENT_KEY){ type = NavType.StringType }) ){ navBackStackEntry -> val action = navBackStackEntry.arguments?.getString(LIST_ARGUMENT_KEY).toAction() var myAction by rememberSaveable { mutableStateOf(Action.NO_ACTION) } LaunchedEffect(key1 = myAction) { if(action != myAction) { myAction = action sharedViewModel.action.value = action } } val databaseAction by sharedViewModel.action ListScreen( action = databaseAction, navigateToTaskScreen = navigateToTaskScreen, sharedViewModel = sharedViewModel ) } }
github_open_source_100_1_109
Github OpenSource
Various open source
describe('amazon calculator',() => { it('should posts result from json placeholder', () => { cy.request('https://jsonplaceholder.typicode.com/posts').then(response => { expect(response.status).to.eq(200) expect(response.body).to.have.length(100) }) }); it('should get posts/1 from json placeholder', () => { const expectedBody = { "userId": 1, "id": 1, "title": "sunt aut facere repellat provident occaecati excepturi optio reprehenderit", "body": "quia et suscipit\nsuscipit recusandae consequuntur expedita et cum\nreprehenderit molestiae ut ut quas totam\nnostrum rerum est autem sunt rem eveniet architecto" } cy.request('https://jsonplaceholder.typicode.com/posts/1').then(response => { expect(response.status).to.eq(200) expect(response.body).to.be.eql(expectedBody) }) }); it('should post new post to json placeholder', () => { const body = { "userId": 99, "title": "test title", "body": "test body" } cy.request('POST', 'https://jsonplaceholder.typicode.com/posts', body).then(response => { expect(response.status).to.eq(201) expect(response.body.userId).to.be.equal(body.userId); expect(response.body.id).to.be.equal(101); expect(response.body.title).to.be.equal(body.title); expect(response.body.body).to.be.equal(body.body); }) }); it('should delete post to json placeholder', () => { cy.request('DELETE', 'https://jsonplaceholder.typicode.com/posts/1').then(response => { expect(response.status).to.eq(200) }) }); })
6914931_1
courtlistener
Public Domain
MAJOR, Circuit Judge. Plaintiff, Federal Deposit Insurance Corporation (sometimes referred to as FDIC), is a corporation duly organized and existing under and by virtue of an Act of Congress of the United States as amended by the Act of August 23, 1935 (Title 12 U.S.C.A. § 264) and again by the Act of September 21, 1950 (Title 12 U.S.C.A. § 1811 et seq.), designated as the Federal Deposit Insurance Act. Defendant, Continental Illinois National Bank and Trust Company of Chicago (sometimes referred to as Continental), is a duly chartered and organized national banking association with its principal place of business in the City of Chicago, Illinois, and at all times pertinent to the instant suit was an insured member bank as defined by Title 12 U.S.C.A. § 1813. The present action was instituted to recover assessments, for the period from July 1, 1948 through June 30, 1953, alleged to be due from defendant under the statutes relating to federal deposit insurance. Numerous items were placed in issue by the pleadings, all but four of which were settled by agreement of the parties. On these a trial was had by the court upon a party stipulation, together with documentary and oral testimony. The court, in conformity with its findings and conclusions, entered judgment in favor of plaintiff on two of such items and in favor of defendant on the remaining items. Each of the parties appeals from that portion of the judgment adverse to it. An insured bank is, under the Act, made liable for assessments, the base for which is its deposits, as the latter term is defined and contemplated by the Act. All the items in dispute involve the treatment to be accorded certain alleged deposits, that is, whether they constitute a portion of the base for assessment purposes. The four items, giving rise to as many contested issues, are as follows: 1. Whether in case of reciprocal deposit accounts with other banks defendant’s liability for assessments under the Federal Deposit Insurance Act of 1935 is measured by the gross or net balance of the accounts. 2. Whether under the Federal Deposit Insurance Act of 1950 defendant was entitled to deduct from the amount of its total deposits the amount of various uncollected cash items in process of collection on the “base day.” This item includes government bonds, cashed by defendant on the assessment date but neither collected nor credited to deposit accounts on that date. 3. Whether the amounts of credits arising under the so-called “contract reserve” account constituted deposits under the Federal Deposit Insurance Act of 1935. 4. Whether the amounts of payroll deductions and taxes deducted by defendant from its employees’ salaries constituted trust funds or deposits within the meaning of the 1935 and 1950 Acts. In the district court, issues 1 and 2 were decided adversely to plaintiff, while 3 and 4 were decided adversely to defendant. We shall discuss these issues in the order of their enumeration. *570Contested Issue 1 Reciprocal accounts exist where two banks maintain deposit accounts with each other. Such accounts are termed “due to” and “due from” accounts. Defendant maintained reciprocal bank accounts with 26 large banks in 9 principal cities throughout the country. It is defendant’s position that only the net amount, if any, due another bank constituted the measure of deposit liability and became a part of the assessment base. In contrast, plaintiff contends that the deposit of another bank in Continental is to be accorded the same treatment as any other deposit and that the gross amount of the deposit is the assessment base, irrespective of the amount of Continental’s deposit in such other bank. The stipulation contains an illustration of the method Continental followed in handling reciprocal bank balances in computing its assessment base, as follows : “If bank ‘A’ had a deposit account in Continental of $250.00 and Continental had a deposit balance in bank ‘A’ of $100.00, Continental would include only the difference in its deposit liabilities for assessment purposes, namely $150.00. If the conditions were reversed and bank ‘A’ had a deposit balance in Continental of $125.00 and Continental had a deposit balance in bank ‘A’ of $300.00 Continental would not include any of the deposit due to bank ‘A’ in its deposit liabilities for assessment purposes.” The relevant portion of the 1935 Act as it pertains to the issue under discussion is contained in Sec. 264(h) (1), which provides among other things that the assessment base shall be determined by the “ * * * amount of liability of the bank for deposits (according to the definition of the term ‘deposit’ in and pursuant to paragraph (12) of subsection (c) of the section, without any deduction for indebtedness of depositors).” The last named subsection states: “The term ‘deposit’ means the unpaid balance of money or its equivalent received by a bank in the usual course of business and for which it has given or is obligated to' give credit to a commercial, checking, savings, time or thrift account * * * , together with such other obligations of a bank as the board of directors shall find and shall prescribe by its regulations to be deposit liabilities by general usage * * * >* This appears to be an appropriate point to take note also of the 1950 Act, even though the issue is for decision under the terms of the 1935 Act. Title 12 U.S.C.A. § 1817(a) contains, so far as it relates to the point under discussion, substantially the same language as that contained in the 1935 Act, with the following proviso: “Provided, That the bank (1) may deduct (i) from the deposit balance due to an insured bank the deposit balance due from such insured bank * * *. Plaintiff makes much of the point that Congress by this proviso amended the law so as to allow a deduction not theretofore permitted by the 1935 Act. Otherwise, so it is suggested, there would have been no purpose on the part of Congress in adopting the proviso. Congress defined a deposit as the money received by a bank in the “usual course of business.” Reciprocal deposits, in our view, are not thus received. This view is fortified by the fact that out of a total of 13,600 insured banks in the country, not more than three to four hundred carried reciprocal accounts. In other words, out of all insured banks fewer than 3% maintained the character of deposits with which we are now concerned. Using the stipulated illustration heretofore noted, was the deposit liability of Continental to bank “A” $250.00, the amount of “A’s” deposit with Continental, or was it $150.00, the difference between the amount of Continental’s deposit with bank “A” and the latter’s deposit of $250.00 with Continental? While we are far from experts in the refinements of the banking business, it borders on the fictional, so we think, to assert that Continental’s deposit liability was more than $150.00, the difference between the two deposits. If “A” had $15.00 in his pocket which belonged to “B”, and “B” $10.00 in his pocket which belonged to “A”, the latter’s liability to “B” would be $5.00 rather than $15.00. Any other conclusion would ignore the realities of the situation, including the actual relationship existing between the parties. As might be expected, plaintiff places much reliance upon the language contained in Sec. 264(h) (1) which provides that deposits shall be included in the assessment base “without any deduction for indebtedness of depositors.” Obviously, this language is of no benefit to plaintiff if the term “deposit” is accorded its usual and ordinary meaning. Moreover, in the illustration used, bank “A” had no indebtedness to Continental; the latter was indebted to bank “A” in the amount of $150.00. This amount Continental agrees would have been includible in its base for assessment purposes. Plaintiff relies upon its administrative interpretation of the statute, consistent with the position which it now takes. Defendant, however, has at no time acquiesced in such interpretation; in fact, it has consistently from the beginning urged the position which it now takes. In the view which we take of the purpose and intendment of the statute, we are not impressed with plaintiff’s interpretative ruling. Plaintiff has a more plausible argument based upon the 1950 amendment which, as heretofore shown, expressly provided for the exclusion of a reciprocal deposit in another bank. Our attention is called to the legislative history relative to this amendment which indicates that Congress regarded the proviso as an amendment rather than as an interpretation of the previous statute. The district court expressed the view that the 1950 amendment was merely a clarification of the previous statute. We think it not of controlling importance whether the latter Act be treated as an amendment or a clarification. The fact is that a controversy existed between plaintiff and defendant (as well as other banks) relative to the issue under consideration, and to resolve such controversy Congress added the proviso. By such action Congress recognized the soundness of defendant’s position. How ever the proviso be characterized, the doubt theretofore existing was resolved. Nothing was accomplished other than to make, certain that which previously had been a matter for statutory interpretation. More important is the treatment accorded reciprocal bank balances by other federal agencies. The Federal Reserve Bank, like plaintiff, was an agency of the Federal Reserve System. The Federal Reserve Bank instructed its members carrying reciprocal accounts to report only the net balances of such accounts. The Comptroller of the Currency also called for a report of only the net balances of reciprocal deposits. We think, contrary to plaintiff’s contention, that this evidence was properly admitted. Certainly it shows a recognition by these agencies of the actual relationship existing between banks with reciprocal ac*572counts. More than that, the rulings are consistent with and lend support to the view that such deposits are not received in the “usual course of business,” and that the bank receiving such deposits incurs liability only to the extent of the net balances of such deposits. We agree with the holding of the district court on this issue. Contested Issue 2 This issue relates to cash items, that is, cheeks, drafts and other instruments providing for the payment of money which a reporting bank received in the regular course of business and paid or credited conditionally to a deposit account. These items are called “float” and, in a bank the size of defendant, many thousands are handled each. day. The period involved is from 1950 to 1954. The 1935 Act provided for an assessment base consisting of the average daily deposits at the end of each calendar day for six months, deducting, however, “the total of such uncollected items as are included in such deposits and credited subject to final payment.” The 1950 Act changed the assessment provision so as to simplify the work of the banks incident to the ascertainment of the average deposit liability during the semiannual periods. There were designated as base days March 31 and June 30 for the first and September 30 and December 31 for the second semiannual period. Two methods were provided for computing the amount of such deposits, that is, the (aa) method and the (bb) method. Defendant utilized the former, which provides that the reporting bank may deduct cash items as determined “by multiplying by 2 the total of the cash items forwarded for collection on the assessment base days (being the days on which the average deposits are computed) and cash items held for clearings at the close of business on said days, which are in the process of collection and which the bank has paid in the regular course of business or credited to deposit accounts.” Sec. 1817 of the 1950 Act. The items here involved are only those “forwarded for collection.” Plaintiff in its brief classifies such items as follows: “1. Cash items received and forwarded prior to the base day. “2. Cash items received prior to the base day and forwarded on the base day. “3. Cash items received on the base day and forwarded on the following day.” The items in class 1 were received after the close of business on a Friday and forwarded for collection on Saturday or Sunday preceding Monday, a base day, but remained uncollected on that day. The items in class 2 were received in the interim between the closing of the bank on Friday and the opening of the bank on Monday, but not forwarded for collection until the latter day. The items in class 3 were received on Monday but not completely processed and forwarded until the following day. All of the items in the three classes were conditionally credited on Monday, the base day. Upon receipt of a “float” deposit, the bank issued a slip which provided in effect that the deposit was conditional, with the right reserved to refuse to hon- or or pay checks drawn against such deposit. It was also provided that items received for collection after regular banking hours might be treated by the bank as a deposit or collection of the succeeding business day. The class 2 items are clearly deductible. They were forwarded for collection on base days and are in compliance with the literal language of the statute. Plaintiff in its brief states: “The items in this category meet the requirement of the statute of being forwarded for collection on the assessment base day, but they do not meet the requirement of the regulation that they must have been received on the base day. We must, therefore, consider whether the regulation is consistent with the statute.” *573Plaintiff makes the feeble argument that a regulation promulgated in 1950 required that the items be both received and forwarded on base days. This regulation, insofar as it required receipt of such items on base days, is in effect an amendment of the statute, it is inconsistent therewith and in that respect is void. Class 1 and class 3 items present a more difficult problem. As noted, the former includes items both received and forwarded on Saturday or Sunday preceding a base day but which remained uncollected on the base day and for which the depositor had not previously received credit. Class 3 items were received on the base day but not processed and forwarded until the following day. The depositor, as to this class of items, received only a conditional credit on the base day. The controversy as to class 1 and class 3 items depends upon an interpretation of the term “base days” as employed in the statute. Plaintiff made no attempt to interpret or define “base days” until it promulgated a regulation in 1954, entitled “Periods of Deductions for Uncollected Items.” (Sec. 327.1(a) of the 1954 Regulations.) The regulation provided: “The term ‘base day’ shall be the period of time beginning with the time of the closing of the books of the bank on the last business day immediately preceding the assessment base day to the time of the closing of the books of the bank on the base day according to the normal practice of the bank. Holidays and other nonbusiness days intervening between the preceding business day and the base day are a part of the base day.” Paragraph (f) of the same section of the regulation provided: “A cash item shall be deemed to have been forwarded for collection on the base day if it has been received for collection on the base day and has been either forwarded for collection on that day or is in the process of forwarding in accordance with the normal procedure of the bank, even though the item may be in the possession of the bank at the time of the closing of the books on the base day.” It is plain that class 1 items are now deductible under paragraph (a) and that class 3 items are now deductible under paragraph (f) of the regulation. This much appears to be conceded because plaintiff’s suit covers only the period between the amendment of the Act in 1950 and the promulgation of the 1954 regulation. Plaintiff contends that the term “base day” as used in the statute should be interpreted to mean a calendar day, that is, the time from one midnight until the next. Any merit in this contention appears to be dissipated from the fact that plaintiff in 1954 defined “base days” in the manner above shown without any change by Congress in the statutory language. If a base day meant a calendar day in 1950, it must have meant the same in 1954. If it encompassed only a calendar day when the amendment was enacted, we think a serious question would be raised as to the validity of the 1954 regulation which defined a base day as including Saturdays and Sundays prior thereto, as well as the day following as to certain designated items. In any event, the 1954 regulation constitutes a recognition on the part of plaintiff of the unreasonable limitation which it would have us place upon the meaning of “base day” as used in the statute. The situation before us is an apt illustration. If defendant had permitted the accumulation of all cash items between the time it closed its bank for business purposes on Friday until it opened on Monday (a base day) and had forwarded such items on that day, there could be no question as to their deductibility. To hold that they are not deductible because the bank, in keeping with efficiency and sound banking practices, maintained a force for the purpose of forwarding such items on Saturday and Sunday, is barren of any logic, as plaintiff’s 1954 regulation appears to recognize. *574Much is said as to whether the 1954 regulation should be applied retroactively so as to cover the items in issue. Defendant argues in the affirmative, plaintiff in the negative. We think this issue need not be resolved. If plaintiff had the authority in 1954 to interpret the statute as it did, we think a court has the authority to place a like interpretation upon the statute during the period from 1950 to 1954. In Manhattan General Equipment Co. v. Commissioner, 297 U.S. 129, at page 135, 56 S.Ct. 400, 397, 80 L.Ed. 528, it was contended that an amended regulation was void because it was retroactive. The court rejected the contention, but in doing so made the following pertinent observation: “Since the original regulation could not be applied, the amended regulation in effect became the primary and controlling rule in respect of the situation presented. It pointed the way, for the first time, for correctly applying the antecedent statute to a situation which arose under the statute.” Included in contested issue 2 are government bonds cashed on base days and held by defendant for collection at the close of such days. It is urged that such bonds are not “cash items,” and that a distinction should be drawn between them and checks and bank drafts. We are not impressed with this argument. In our view, all the items included in contested issue 2 were deductible. Contested Issue 3 A brief statement of the facts will suffice to bring into focus the issue for decision. In financing installment paper defendant purchased sales contracts from a customer (a dealer engaged in selling retail merchandise on credit to a person sometimes called the buyer), without recourse, under an agreement which provided for remittance to the customer of 90%' of the amounts owing under such contracts (less % of 1% cash discount), and crediting the remaining 10% to an account set up on defendant’s books and designated as the customer’s “Contract Reserve.” The agreement referred to the “Contract Reserve” as a deposit credited to the customer to be used in accordance with the terms of the agreement. In brief, the “Contract Reserve” account was utilized as a means of securing the defendant for the balance due on the sales contract made between the buyer and the dealer and sold and assigned by the latter to defendant. The agreement between the customer (dealer) and the bank provided that the reserve account should be maintained at a specified level. When below that level, the difference was to be made up by the customer; when above the level, and then only, the customer was entitled to draw on the account. In practice, only credit was extended to the buyer, no withdrawal was permitted. As relating to the question for decision, it can be stated that the sole purpose of the arrangement between the customer and the bank was to secure the latter, and this was accomplished by withholding 10%' of the contract purchase price. If the buyer satisfied his obligation, the 10%' belonged to the customer. If, however, there was a default in payment by the buyer, the bank could utilize the reserve account to the extent necessary to prevent any loss on its part. The asserted liability is for a period prior to 1950, when the Act was amended in a manner which apparently provided that the alleged deposits under discussion are excludible from the tax base. The question, therefore, must be decided under the 1935 Act. The district court decided this issue adversely to defendant. In our view, this was error, notwithstanding there is some authority, to which we shall subsequently refer, which furnishes support for plaintiff’s position. In connection with our discussion, under contested issue 1 we have set forth the statutory definition of an assessment base as being the “* * * amount of liability of the bank for deposits,” as well as the definition of the term “deposit.” Plaintiff in its brief under the present issue has set forth the statutory def*575inition of “deposit” by breaking it down into separate phrases which we think pertinent even though it amounts to repetition. The statutory definition thus treated is as follows : “(a) ‘The unpaid balance’ “(b) ‘of money or its equivalent’ “(c) ‘received by a bank’ “(d) ‘in the usual course of business’ “(e) ‘and for which it has given or is obligated to give credit’ “(f) ‘to a commercial, checking, savings, time or thrift account.’ ” In our view, the credit extended to the reserve account (that is, the 10% withheld from the purchase price) does not fall within the terms of the statutory definition because it created in both the customer and the bank a right which was only conditional. Whether the customer could utilize this credit depended solely upon performance by the buyer. If the buyer performed his obligation, the purpose for which the so-called deposit was made was accomplished; in that event, the 10% belonged to the customer. On the other hand, in case of default on the part of the buyer, the 10%' deposit became that of the bank. As we have noted, this was the purpose of the arrangement between the customer and the bank. We are unable to discern how it can be held that the credit extended to the reserve account can be characterized as “money or its equivalent received by a bank.” It must be certain that the bank received no money from the customer, that it received only the contract which it purchased. Can such a contract be considered as the “equivalent” of money ? We think the answer must be in the negative. If the contract be held as the equivalent of cash, we see no reason why the bank should not have paid the customer its face value rather than 90%. It may be that the bank by paying 90% of the face value of the contract recognized it as the equivalent of cash to that extent. By the same token, however, both the bank and the customer recognized the contract to the extent of the 10% withheld as not the equivalent of cash. Another serious question is whether defendant was obligated to give credit “to a commercial, checking, savings, time or thrift account.” Obviously, the last four named forms of accounts are without application. Plaintiff appears to so recognize but argues that the reserve account was a commercial account because it arose out of a commercial transaction. That is a non sequitur. We suppose it is true that the account had its genesis in a commercial transaction but it could not be utilized by the customer in the course of trade or commerce. At the risk of being repetitious, we again point out the absence of liability upon defendant at the inception of a credit to the reserve account. In any event, it is our view that when Congress predicated the assessment base upon the “amount of liability of the bank for deposits,” it encompassed only such deposits as imposed upon the bank an unconditional liability and which conferred upon the depositor an absolute right to be paid the amount of his deposit either upon demand or upon such conditions as might be imposed in connection with the deposit. That certainly is true as to the “checking, savings, time or thrift account” enumerated in the statutory definition of “deposit.” We see no reason why it should be less true as to the remaining classification, that is, “commercial.” Plaintiff cites and relies heavily upon Industrial Bank of St. Louis v. Federal Deposit Ins. Corp., D.C.E.D.Mo., 93 F. Supp. 916, 918. Defendant attempts, without much success, to distinguish the situation there involved and that here. While the case supports plaintiff’s position, we do not agree with either the reasoning or the result. Neither do we agree that Union Electric Light & Power Co. v. Cherokee Nat. Bank of St. Louis, 8 Cir., 94 F.2d 517, strongly relied upon by the court in the Industrial Bank case, is authority for the result reached. In the Cherokee case there was a special *576arrangement between the depositor and the bank by which the bank incurred a fixed obligation to pay. The court held there was a special deposit impressed with a trust in favor of the depositor. It is not claimed in the instant case that the reserve account was impressed with a trust under a provision of the statute, which will be referred to under contested issue 4. Contested Issue 4 This issue involves money withheld by defendant from salaries and wages of its employees for the following purposes: (1) payment of federal income taxes on employees’ salaries; (2) payment of employees’ share of federal social security taxes; (3) payment of employees’ contributions to group life insurance premiums, and (4) purchase of government securities for employees. The period involved is from July 1, 1948 through June 30, 1953. The statutory definition of the term “deposit” both in the 1935 and 1950 Acts includes “trust funds held by such bank whether retained or deposited in any department of such bank.” While the 1935 Act contained no definition of “trust funds,” such a definition was provided in the 1950 Act (Title 12 U.S.C.A. § 1813(p)), as follows: “The term ‘trust funds’ means funds held by an insured bank in a fiduciary capacity and includes, without being limited to, funds held as trustee, executor, administrator, guardian, or agent.” We think these withholdings were held by the bank as trust funds either with or without the aid of the statutory definition provided in the 1950 Act. By agreement with their employees such funds were held for specified purposes and the bank was under obligation to apply them in accordance with the agreement But whether trust funds or not, they were deposits within the meaning of the statute. It is true, as defendant points out, that such funds do not represent cash received from the employees; however, the with-holdings were the equivalent of cash. The situation is the same as though the amounts withheld had been paid to the employees and returned by them to the bank to be used by it for the purposes indicated. The point is that the bank incurred a liability for such funds which was absolute, in contrast to a contingent liability as existed under contested issue 3. We agree with the ruling of the district court on this issue. The judgment is affirmed in part and reversed in part, with directions that it be vacated and a judgment entered in accordance with the views herein expressed. More specifically, the judgment is affirmed as to contested issues 1, 2 and 4, and is reversed as to contested issue 3.
github_open_source_100_1_110
Github OpenSource
Various open source
package us.ihmc.robotics.geometry; import java.util.List; import us.ihmc.euclid.geometry.Plane3D; import us.ihmc.euclid.tuple2D.interfaces.Point2DBasics; import us.ihmc.euclid.tuple3D.interfaces.Point3DReadOnly; public interface PlaneFitter { /** * * @param pointList The list of points to fit * @param planeToPack the plane to pack * @return the average error of the points to the plane fit */ public abstract double fitPlaneToPoints(List<? extends Point3DReadOnly> pointList, Plane3D planeToPack); /** * * @param center origin the plane at the center if possible * @param pointList The list of points to fit * @param planeToPack the plane to pack * @return the average error of the points to the plane fit */ public abstract double fitPlaneToPoints(Point2DBasics center, List<? extends Point3DReadOnly> pointList, Plane3D planeToPack); }
github_open_source_100_1_111
Github OpenSource
Various open source
package br.ufscar.dc.latosensu.aplicacaofinanceira.util; import br.ufscar.dc.latosensu.aplicacaofinanceira.model.Banco; public class BancoTestUtil { public static final String BANCO_DELETE_URI = "/banco/delete"; public static final String BANCO_LIST_URI = "/banco/list"; public static final String BANCO_SAVE_URI = "/banco/save"; public static final String BANCO_SHOW_URI = "/banco/show"; public static final String BANCO_UPDATE_URI = "/banco/update"; private static final String BANCO_DO_BRASIL_CNPJ = "00000000000191"; private static final String BANCO_DO_BRASIL_NOME = "Banco do Brasil"; private static final Integer BANCO_DO_BRASIL_NUMERO = 1; private static final String CAIXA_ECONOMICA_FEDERAL_CNPJ = "00360305000104"; private static final String CAIXA_ECONOMICA_FEDERAL_NOME = "Caixa Economica Federal"; private static final Integer CAIXA_ECONOMICA_FEDERAL_NUMERO = 2; private static final String ITAU_CNPJ = "60872504000123"; private static final String ITAU_NOME = "Itau"; private static final Integer ITAU_NUMERO = 3; public static Banco bancoDoBrasil() { Banco banco = new Banco(); banco.setNumero(BANCO_DO_BRASIL_NUMERO); banco.setCnpj(BANCO_DO_BRASIL_CNPJ); banco.setNome(BANCO_DO_BRASIL_NOME); return banco; } public static Banco caixaEconomicaFederal() { Banco banco = new Banco(); banco.setNumero(CAIXA_ECONOMICA_FEDERAL_NUMERO); banco.setCnpj(CAIXA_ECONOMICA_FEDERAL_CNPJ); banco.setNome(CAIXA_ECONOMICA_FEDERAL_NOME); return banco; } public static Banco itau() { Banco banco = new Banco(); banco.setNumero(ITAU_NUMERO); banco.setCnpj(ITAU_CNPJ); banco.setNome(ITAU_NOME); return banco; } public static Banco bancoComCnpjInvalido() { Banco banco = new Banco(); banco.setNumero(BANCO_DO_BRASIL_NUMERO); banco.setCnpj("11111111111111"); banco.setNome(BANCO_DO_BRASIL_NOME); return banco; } public static Banco bancoComNomeComMaisDeDuzentosECinquentaECincoCaracteres() { Banco banco = new Banco(); banco.setNumero(BANCO_DO_BRASIL_NUMERO); banco.setCnpj(BANCO_DO_BRASIL_CNPJ); banco.setNome("123456789D123456789V123456789T123456789Q123456789C123456789S123456789S123456789O123456789N123456789C123456789D123456789V123456789T123456789Q123456789C123456789S123456789S123456789O123456789N123456789D123456789D123456789V123456789T123456789Q123456789C123456789S123456789S123456789O123456789N123456789C123456"); return banco; } public static Banco bancoComNomeComMenosDeDoisCaracteres() { Banco banco = new Banco(); banco.setNumero(BANCO_DO_BRASIL_NUMERO); banco.setCnpj(BANCO_DO_BRASIL_CNPJ); banco.setNome("b"); return banco; } public static Banco bancoComNumeroMenorDoQueUm() { Banco banco = new Banco(); banco.setNumero(0); banco.setCnpj(BANCO_DO_BRASIL_CNPJ); banco.setNome(BANCO_DO_BRASIL_NOME); return banco; } public static Banco bancoSemCamposObrigatorios() { Banco banco = new Banco(); banco.setNumero(0); banco.setCnpj(null); banco.setNome(null); return banco; } }
github_open_source_100_1_112
Github OpenSource
Various open source
import React, { useState } from 'react'; import PropTypes from 'prop-types'; import clsx from 'clsx'; import { makeStyles, useTheme } from '@material-ui/core/styles'; import { useMediaQuery, Divider } from '@material-ui/core'; import { Topbar, Footer, Sidebar } from './components'; const useStyles = makeStyles(theme => ({ root: { height: '100%', }, })); const Main = props => { const { children } = props; const classes = useStyles(); const theme = useTheme(); const isMd = useMediaQuery(theme.breakpoints.up('md'), { defaultMatches: true, }); const pages = { landings: { title: 'Landings', id: 'landing-pages', children: { services: { groupTitle: 'Services', pages: [ { title: 'Coworking', href: '/coworking', }, { title: 'Rental', href: '/rental', }, { title: 'Job Listing', href: '/job-listing', }, { title: 'E-Learning', href: '/e-learning', }, { title: 'E-commerce', href: '/e-commerce', }, { title: 'Expo', href: '/expo', }, ], }, apps: { groupTitle: 'Apps', pages: [ { title: 'Desktop App', href: '/desktop-app', }, { title: 'Mobile App', href: '/mobile-app', }, ], }, web: { groupTitle: 'Web', pages: [ { title: 'Overview', href: '/home', }, { title: 'Basic', href: '/web-basic', }, { title: 'Service', href: '/service', }, { title: 'Startup', href: '/startup', }, { title: 'Enterprise', href: '/enterprise', }, { title: 'Cloud Hosting', href: '/cloud-hosting', }, { title: 'Agency', href: '/agency', }, { title: 'Design Company', href: '/design-company', }, { title: 'Logistics', href: '/logistics', }, ], }, }, }, pages: { title: 'Pages', id: 'supported-pages', children: { career: { groupTitle: 'Career', pages: [ { title: 'Lising', href: '/career-listing', }, { title: 'Lising Minimal', href: '/career-listing-minimal', }, { title: 'Opening', href: '/career-opening', }, ], }, helpCenter: { groupTitle: 'Help center', pages: [ { title: 'Overview', href: '/help-center', }, { title: 'Article', href: '/help-center-article', }, ], }, company: { groupTitle: 'Company', pages: [ { title: 'About', href: '/about', }, { title: 'About (Cover)', href: '/about-side-cover', }, { title: 'Pricing', href: '/pricing', }, { title: 'Terms', href: '/company-terms', }, ], }, contact: { groupTitle: 'Contact', pages: [ { title: 'Reach View', href: '/contact-page', }, { title: 'Sidebar Map', href: '/contact-sidebar-map', }, { title: 'Cover', href: '/contact-page-cover', }, ], }, blog: { groupTitle: 'Blog', pages: [ { title: 'Newsroom', href: '/blog-newsroom', }, { title: 'Reach View', href: '/blog-reach-view', }, { title: 'Search', href: '/blog-search', }, { title: 'Article', href: '/blog-article', }, ], }, portfolio: { groupTitle: 'Portfolio', pages: [ { title: 'Basic', href: '/portfolio-page', }, { title: 'Masonry', href: '/portfolio-masonry', }, { title: 'Grid View', href: '/portfolio-grid', }, { title: 'Parallax Effect', href: '/agency', }, ], }, }, }, account: { title: 'Account', id: 'account', children: { settings: { groupTitle: 'Settings', pages: [ { title: 'General', href: '/account/general', }, { title: 'Security', href: '/account/security', }, { title: 'Notifications', href: '/account/notifications', }, { title: 'Billing', href: '/account/billing', }, ], }, signup: { groupTitle: 'Sign up', pages: [ { title: 'Simple', href: '/signup-simple', }, { title: 'Cover', href: '/signup-cover', }, ], }, signin: { groupTitle: 'Sign in', pages: [ { title: 'Simple', href: '/signin-simple', }, { title: 'Cover', href: '/signin-cover', }, ], }, password: { groupTitle: 'Password reset', pages: [ { title: 'Simple', href: '/password-reset-simple', }, { title: 'Cover', href: '/password-reset-cover', }, ], }, error: { groupTitle: 'Error', pages: [ { title: 'Simple', href: '/not-found', }, { title: 'Cover', href: '/not-found-cover', }, ], }, }, }, }; const [openSidebar, setOpenSidebar] = useState(false); const handleSidebarOpen = () => { setOpenSidebar(true); }; const handleSidebarClose = () => { setOpenSidebar(false); }; const open = isMd ? false : openSidebar; return ( <div className={clsx({ [classes.root]: true, })} > <Topbar onSidebarOpen={handleSidebarOpen} pages={pages} /> <Sidebar onClose={handleSidebarClose} open={open} variant="temporary" pages={pages} /> <main> <Divider /> {children} </main> <Footer pages={pages} /> </div> ); }; Main.propTypes = { children: PropTypes.node, }; export default Main;
github_open_source_100_1_113
Github OpenSource
Various open source
function R = random_rot_matrix(d) %random_rot_matrix Generate a random matrix with axis-angle, distribution %unknown, hopefully uniform but not important. a = rand(d, 1); a = a/norm(a,2); t = rand()*2*pi - pi; c = cos(t); s = sin(t); C = 1-c; x = a(1); y = a(2); z = a(3); R = [x*x*C+c x*y*C-z*s x*z*C+y*s; y*x*C+z*s y*y*C+c y*z*C-x*s; z*x*C-y*s z*y*C+x*s z*z*C+c]; end
theologischelite12schu_30
German-PD
Public Domain
In den beiden letzten Fallen verftofst der Verfaffer auch gegen den flir theologifche Belehrung von Nicht¬ theologen geltenden Grundfatz, nichts den Zuhdrern Unverftandliches oder Halbverftandliches zu geben: damit find auch Anfpielungen ausgefchloffen. Auch gegen den Grundfatz, nur das Sichere als ficher, das Unfichere etweder gar nicht oder als unficher, P'alfches jedenfalls nicht vorzulegen, verfehlt er fich, z. B. wenn er liber die Entwickiung des Urchriftenthums kiihnlich be- hauptet: ,Die grobere und aufserlichere judenchriftliche Auffaffung gewann auf die — heidenchriftlichen Gemein- den liberwiegenden Einflufs und daher rlihrt der cere- monienreiche aufserliche und hierarchifche Charakter, den die katholifehe Kirche bis heute an fich tragt.4 Die Darftellung in einem Vortrag wie der vor- liegende foil pracis fein; das ift fie nicht immer (z. B. bei Schleiermacher). Sie foil frifeh und lebhaft fein; das ift fie. Sie foil popular fein; das ift fie im ganzen, aber Ausdriicke wie: ,Die auf irgend eine Zuckerfchleck- Belohnung fpeculirende Nutzlichkeitsmoral4 find Aus- wiichfe. Tlibingen. Max R e i f c h 1 e. Luthardt, Dr. Chr. E., Der Scholastiker Luther. (Zeit- fchrift flir kirchliche Wiffenfchaft und kirchliches Leben, hrsg. von Luthardt, 1887, Hft. 4.) Leider ift mir der vorftehende Auffatz erft fpat zu- ganglich geworden. Ich wtirde mir fonft erlaubt haben, fchon fruher auf denfelben aufmerkfam zu machen. Lut¬ hardt hat uns hier freilich nicht mit der Bearbeitung einer intereffanten hiftorifehen Frage befehenkt, deren Lofung bei dem gegenwartigen Zuftande der Schriften Occam’s befondere Schwierigkeiten hat. Aber in anderer Bezieh- ung ift diefer Auffatz vielleicht das Wichtigfte von Allem, was wir Luthardt verdanken. Der Schriftfteller, deffen ge- fchickte Feder fo manches Bild von zweifelhafter Treue 36 r Theologifche IJteraturzeitung. 1887. Nr. 15 362 gefchildert hat, giebt uns hier unabfichtlich ein fprechen- des Bild der Verlegenheiten, in welche ihn die verhang- nifsvolle Klugheit der Vermittelungen und Milderungen an den Satzen Anderer gebracht hat. Er erklart namlich, dafs er und die von ihm geleitete kirchliche Gruppe von einem Scholaftiker Luther bisher nichts gewufst und erft durch mich davon gehort hatten. Sie wollten aber auch nichts von einem folchen Luther wiffen. Denn fie wollten den ganzen Luther haben und liefsen fich ihren Luther nicht halbiren. VVaren diefe Erklarungen ernft zu neh- men, fo wiirden fie eine iiberrafchende Kraftaufserung darftellen. Eine folche Entfchloffenheit zur Legende wiirden ficherlich wenige von Luthardt’s Theologie er- warten. Die Kiihnheit jener Erklarungen wird denn auch durch Luthardt’s eigenes Verhalten durchaus nicht ge- rechtfertigt. Dafs Luther Manches aus feiner fcholalti- fchen Schule mitgebracht habe, erkennt er auch an. Er vermeidet aber, diefe Dinge beftimmt zu bezeichnen, und deutet nur an, dafs fie nicht viel auf fich hatten. Urn die Aufmerkfamkeit von der Hauptfache abzulenken, erzahlt er feinen Lefern, dafs ich alle Dogmen der alten Kirche, welche Luther fortgeftihrt habe, dem fcholaftifchen Schul- fack zurechne, obgleich fie doch von viel alterer Her- kunft feien, und verbreitet fich dann liber diefe von ihm fingirteUebelthat mit vieler Entriiftung. Meine Angabe, wie man den Reformator in Luther von dem Scholaftiker mit Sicherheit unterfcheiden konne, umgeht er forgfaltig und giebt damit zu erkennen, dafs feine Art von Lutherthum alien Grund hat, fich vor der Energie des Reformators Luther zu fiirchten. Wenn man mit dem Evangelium, das Luther vertreten hat, Ernft machen will, fo ergiebt fich die von mir aufgeftellte Regel als das Selbftverftandliche. Luther ift dadurch Reformator geworden, dafs er einen Verkehr mit dem in Chriftus offenbaren Gott gefunden hatte, den er in der alten Kirche nicht gefordert, fon- dern gehemmt fah. Wir haben alfo danach zu fragen, wie er von diefem Verkehr mit Gott geredet und daraus die reformatorifchen Lolgerungen fur Kirche und Kirchen- lehre gezogen hat. In folchen Aeufserungen haben wir den Reformator. Luther ift auch da, wo er fo in dem Mittelpunkt feines reformatorifchen Denkens fteht, keines- wegs in einer oppofitionellen Stimmung gegen die Dog- men der alten Kirche. Wohl aber folgt er dabei un- willktirlich dem Drange, den alten Lormeln einen neuen Sinn abzugewinnen, wie derfelbe fein em geklarten Heils- bediirfnifs und den Erfahrungen feines Glaubens entfprach. So find die zahllofen Aeufserungen vor allem liber das chriftologifche Dogma entftanden, welche man fich doch wahrlich nicht als YVorte der griechifchen Vater des 5. Jahrhunderts denken konnte, deren Dogma Luther nach Luthardt’s Meinung ganz ebenfo bekennen foil wie fie. Neben jenen Zeugnifsen des Reformators, die einem evan- gelifchen Chriften das Herz ftarken follten, finden fich aber zahlreiche andere, in denen uns allerdings lediglich der Scholaftiker Luther entgegentritt. Es find das alle die Aeufserungen, bei welchen man nichts davon be- merkt, dafs der Gedanke an den Verkehr mit Gott, zu dem fich Luther durchgekampft hatte, feine Ausfprache beeinflufst. Ich denke dabei weniger an einzelne Be- griffe, welche Luther aus feiner fcholaftifchen Schule mit¬ gebracht hat. Auch Luthardt fcheint diefe Einzelheiten, wie fie z. B. in der fpateren Abendmahlslehre Luther’s und in feiner friiheften fowohl wie fpateften Pradeftina- tionslehre auftreten, nicht zu dem eigentlichen Evange¬ lium Luther’s zu rechnen. Aber ich denke dabei vor Allem an die Thatfache, dafs Luther es unzahlige Male liber fich vermocht hat, von dem Glauben fo zu reden, als beftehe er in dem Liirwahrhalten der in der Kirche iiberlieferten und in der heiligen Schrift begrundeten Dogmen. An folchen Stellen redet der Scholaftiker, der nichts davon zu wiffen fcheint, dafs der Glaube geweckt wird, wenn Jefus Chriftus einem Sunder als Gottes Offen- barung verftandlich wird und dafs der Glaube hieran allein fich nahrt. Dafs Luthardt gerade auf folche Stellen fich mit Vorliebe beruft, finde ich fehr begreiflich. Aber ich glaube, die Zeit ift ganzlich voriiber, wo es einem Theologen, der auf diefem Gebiete fich einige hiftorifche Kenntnifse erworben, eingeredet werden konnte, auf folche Weife erfaffe man den Reformator Luther. Luthardt hat den Muth, meiner Unterfcheidung fcholaftifcher Ele- mente von den reformatorifchen bei Luther entgegenzu- halten, dafs Rationaliften wie YVegfcheider es fchon ebenfo gemacht hatten. Ich meine nicht nothig zu haben, mich dagegen zu vertheidigen , denn ich darf annehmen, dafs Luthardt felbft das im Ernft nicht glauben wird. Aber Luthardt hat im weiteren Verlauf feines Auf- fatzes den Grund davon enthlillt, warum fein modernes Lutherthum fo begierig das Scholaftifche in Luther an fich zieht und das Reformatorifche liegen lafst. Ich hatte mir die erdenklichfte Mlihe gegeben , Luthardt durch eine klare Argumentation entweder zu offenem Wider- fpruch oder zu offenem Anfchlufs an den religiofen Grund- gedanken Luther’s zu zwingen. Ich hatte fur den Ver¬ kehr des Chriften mit Gott das einfache Dilemma auf- geftellt, dafs wir entweder Gott und Chriftus in der Welt unferer Phantafie begegnen oder in der wirklichen Welt, in unferer eigenen gefchichtlichen Wirklichkeit. Luthardt hat fich nun dem Zwange der hierauf begrundeten Ar¬ gumentation in einer fehr fonderbaren Weife entzogen. Ich hatte in meine Beweisflihrung einen kleinen Excurs eingeftigt, der dazu dienen follte, einen Vorwurf, den wir gerade von Luthardt nicht felten gehort haben, ab- zuwehren. In Luthardt’s Arfenal findet fich auch der Vorwurf, dafs wir wie neue Marcioniten in Jefus eine vollig abrupte Grofse fahen. Er hat uns namentlich vor- gehalten, dafs wir von einer nattirlichen Offenbarung Gottes in der Volkerwelt nichts wiffen wollten. Durch einen Rath von befreundeter Seite liefs ich mich nun be- wegen, bei diefer Gelegenheit das Aeufserfte auszufpre- chen, was ich Luthardt in diefer Beziehung concediren konnte. Ich fagte alfo, dafs wir Chriften allerdings fehen miiffen, wie gefchichtliche Vorgange vor und nach Chriftus ihn felbft und fein Werk bedingen und in den Lauf der Gefchichte einfiigen. Indem wir uns dies vergegenwar- tigten, feien wir im Stande und genotigt, alles dies eben- falls zu der Offenbarung Gottes zu rechnen, die uns in Jefus Chriftus zu Theil geworden ift. Das follte alfo eine begiitigende Conceffion an den Theologen fein, der uns gegenuber die Weisheit der theologia naturalis zu ver¬ treten pflegt. Und was erwidert nun Luthardt darauf? ,Nein, wenn Hellas und Rom ebenfo Offenbarungen Gottes und Elemente Jefu Chrifti find, nur etwa in geringerem Mafse wie die Offenbarung Gottes in Israel, dann gibt es uberhaupt keine Heilsoffenbarung. Denn, wenn Alles Offenbarung ift, dann ift nichts Offenbarung im eigent¬ lichen Sinne‘. Wie foil man es nun einem folchen Manne recht machen. der die Lahigkeit befitzt, Vorwiirfe, welche einander ausfchliefsen, im extravaganteften Ausdruck auf einander folgen zu laffen? Und diefes Kunftftuck erklart Luthardt obenein zu dem Zwecke zu vollbringen, um fich meiner Argumentation zu entziehen, welche damit gar nichts zu fchaffen hat. Auf diefe felbft lafst er fich infofern ein, als er erklart, es fei ihm unmoglich, zwifchen dem gefchichtlichen Chriftus und dem erhohten, der uns gegenwartig fei, zu unterfcheiden. ,Ls reicht nicht aus, nur auf die einftmalige gefchichtliche Wirklichkeit Jefu auf Erden zu verweifen, als ob darin nun Alles befchloffen und gegeben fei. Zur Gefchichte Jefu gehort auch feine Auferftehung und Erhdhung und feine Gegenwart fur die Seinen. Das ift auch „Wirklichkeit“ und in ihr erft haben wir den ganzen uns gegenwartigen Jefusf Luthardt giebt in diefen Satzen kund, dafs er fich aufser Stande firhlt, in feiner Theologie diejenige Unterfcheidung zu machen, welche der chriftliche Glaube immer machen wird, wenn er nach dem Grunde feiner Gewifsheit oder nach der Offenbarung fragt, die ihn felbft erzeugt. Wenn nun Luthardt kraftig bei diefer Ablehnung verbliebe, fo wlirde er wenigftens das anfchauliche Bild einer Theologie gewahren , welche in der evangelifchen Kirche kein Recht hat, weil fie das Hauptanliegen der- felben, die Gewifsheit eines durch Gottes Offenbarung geweckten Glaubens nicht verfteht. Aber auch diefes Bild zerfliefst wieder in einen unfafsbaren Nebel, indem Luthardt fchliefslich doch auch eingefteht, der Glaubens- gedanke von der Gegenwart des erhohten Chriftus fei nicht Mittel und Grund des Glaubens, fondern Frucht des Glaubens. Das ware ja nun gerade der Gedanke, den wir im Gegenfatz zu ihm und anderen halb fcholaftifchen Theologen zu vertreten fuchen. Luthardt’s Auffatz er- fcheint mir defshalb als ein wichtiges Zeichen der Zeit, weil er die Haltlofigkeit der in der evangelifchen Kirche herrfchenden Theologie unabfichtlich aber griindlich blofslegt. Das, was diefe Theologie in verzweifeltem Widerftande gegen uns bekampft, gefteht fie im Grunde felbft zu. Denn diefe Erkenntnifse find allmahlich zu einer Reife gediehen, dafs fich ihrer niemand erwehren kann, der fich uberhaupt auf eine theologifche Discuf- fion einlafst. Luthardt weifs alfo felbft, dafs alle die hohen Glaubensgedanken keineswegs dem Chriften in der Form von gottlich beglaubigten Lehren mit der Erkla- rung vorgelegt werden durfen, dafs er das fur wahr halten miiffe, damit er Glauben habe. Er nennt fogar jene Glaubensgedanken den Lohn des Glaubens, mufs alfo doch meinen, dafs der Glaube felbft, in welchem der Chrift Gott als den erfahrt, der ihn felig macht, auf ganz andere Weife hervorgerufen wird. Aber in die neue Situation, welche ihm dadurch bereitet wird, ver- mag er fich als Theolog nicht zu finden. Die Erkennt- niss vom Wefen des Glaubens, von feinem Verhaltnifs zu den Thatfachen, die ihn begriinden, und zu den Ge¬ danken, in denen er fich ausbreitet, kann er nicht ganz- lich ablehnen; aber feine Theologie will er wenigftens vor diefer Erkenntnifs retten. Er fagt alfo, dafs es fich fo mit dem Glauben verhalte, miiffe man freilich beachten, wenn es fich um Glaubensbewirkung und um Erziehung zum Glauben handelt. Dagegen bei der ,fyftematifchen Lehrdarftellung' miiffe man anders verfahren. Einen Grund, weshalb in der fyftematifchen Theologie das richtige Verhaltnifs zwifchen den Glaubensgedanken und dem nicht durch fie, fondern anders begrtindeten Glauben verdeckt werden miiffe, giebt Luthardt nicht an. Einen wiifste ich wohl zu nennen. Es ift nattirlich viel bequemer, die Glaubensgedanken als iiber nattirlich offen- barte Lehren zufammenzuftellen und einige Reflexionen daranzukniipfen, als ihrer Entftehung aus dem nicht durch fie, fondern anders begrtindeten Glauben nachzu- gehen und den Glauben felbft zu rechtfertigen. Aber diefer Grund ift doch fiir einen riiftigen Mann wie Lut¬ hardt zu fchlecht. Bemerkenswerth ift noch, was Luthardt zu meiner Schilderung der Bedrangnifs fagt, in welcher fich die moderne Theologie befinde. Er tadelt es, dafs ich einer Kirchenzeitung einige Satze iiber die Stellung der Ge- bildeten zum Chriftenthum entnommen habe. Das diirfe man in einer wiffenfchaftlichen Schrift nicht thun und diirfe auch daraufhin nicht eine Anklage gegen die Theo¬ logie erheben. Ich habe nun freilich mein Urtheil iiber die Gefammtlage der modernen Theologie keineswegs mit jenen Worten einer Kirchenzeitung begriindet, fondern durch den Hinweis auf Thatfachen, die doch wohl auch Luthardt’s Ruhe bisweilen geftdrt haben. Aber dafs er mir fagt, man diirfe die Worte einer Kirchenzeitung felbft dann nicht in einer ernfthaften Schrift beriicklichtigen, wenn es fich um eine Schilderung handelt, welche zu den Zwecken der Partei in keiner Beziehung fteht, — das ift mir von grofsem Werth. Denn in diefen Sachen ift Luthardt Kenner. Hat er doch fo lange an der Spitze einer Kirchenzeitung geftanden, dafs er genau wiffen mufs, wie es mit der Brauchbarkeit diefer Preffe und ihrer fonderbaren Leiftungen fteht. Marburg. W. Herrmann. Sterzel, Diac. Dr. Georg Frdr., A. Comte als Padagog. Ein Beitrag zur Kenntnis der pofitiven Philofophie. Leipzig, Fock, 1886. (85 S. gr. 8.) M. 1.50. Seit Schleierma cher und befonders feit H er b ar t ift es zu allgemeinerer Anerkennung gekommen, dafs jede Padagogik mit einer beftimmten Philofophie auf’s innigfte zufammenhange, fich aus diefer mit Nothwen- digkeit ergebe, die praktifche Spitze derfelben, ja fogar — in gewiffem Sinne — die Probe fiir deren Richtigkeit darftelle. In der That hat auch wohl jedes bedeutendere philofophifche Syftem feine eigene Padagogik erzeugt, felbft diejenigen, von welchen Herbart behauptete, dafs fie dazu ihren Principien nach ganz unfahig feien. Es ift ganz natiirlich, dafs der Philofoph, was er mit feinem Denken errungen hat oder errungen zu haben glaubt, zu bergen fucht (um mit Herbart zu reden) in den Schofs der Jugend, der der Schofs der Zukunft und damit der Hafen unferer gefcheuchten Hoffnungen ift. Allein ebenfo erklarlich ift es, dafs in diefen Hafen nicht blofs diejenigen Schiffe einlaufen, welche eine brauchbare, auch am Lande verwerthbare Fracht ausgereifter Pro- ducte fiihren, fondern auch folche, welche nur mit Idealen, Phantafien — Traumen beladen find. Peftalozzi hat Rouffeau’s Emile ein ,Traumbuch‘ genannt: manche Pa¬ dagogik lafst fich fo nennen: fie giebt in folchem P'alle nur das Bild wieder, als das fich die Welt dem Philo- fophen darftellt, wenn er fie im Spiegel feines Syftems und nach deffen Normen ausgeftaltet anfchaut. Von diefen allgemeinen bei der Gefchichte der Pa¬ dagogik fich aufdrangenden Erwagungen haben wir hier einen inftructiven Einzelbeleg vor uns. Hat auch A. Comte den von ihm gehegten Plan, eine Padagogik im Sinne der , pofitiven Philofophie' zu geben, nicht aus- ftihren konnen, fo hat er fich doch mit den darauf ge- richteten Gedanken viel befchaftigt und diefelben in fich fo fehr zur Reife gebracht, dafs er fein Werk mit einem 365 Theologifche Literaturzeitung. 1887. Nr. 15. \66 ,trciite fondamental sur P education positive1 kronen zu kon- nen glaubte. Und dem Verf. vorliegenden Schriftchens ift es gelungen, aus den da und dort zerftreuten Aeufse- rungen des Philofophen ein einheitliches, anfchauliches Bild von deffen Erziehungsplan zufammenftellen. Diefes Bild entfpricht genau der ,pofitiven Philofophie‘ felbft, deren Grundziige der Verf. feiner Darftellung voraus- fchickt. Aber wer wird dasfelbe -nicht einen Traum nen- nen, der da hort, dafs vom 1. — 14. Jahre die Erziehung ganz im Haufe ftattfinden und faft ausfchliefslich von der Mutter geleitet fein foil, dafs dann vom 14. — 21. Jahre der Befuch der offentlichen Schule folgt, welche vom Staate unterhalten, mit Lehrern, welche die , Elite der Menfchheit‘ reprafentirend ,Priefter‘ heifsen, befetzt, fur alle, auch fur das weibliche Gefchlecht, wefentlich gleichen, obligatorifchen Unterricht ertheilt in den fechs die ,Hierarchie der Wiffenfchaften1 bildenden Gegen- ftanden: der Mathematik, Aftronomie, Phyfik, Chemie, Biologie und Sociologie, und zwar fo, dafs in jedem Jahre nur eine derfelben getrieben und fur fie wochent- lich nur Eine Lection feftgefetzt wird? Rouffeau fagt beim Beginne des Emile , man diirfe eine Padagogik nicht nach dem Mafsftab der Ausfiihrbarkeit beurthei- len; denn nur vorfchlagen, was ausfuhrbar, heifse vor- fchlagen, was bereits ausgefuhrt ift. Obwohl darin eine Wahrheit liegt gegeniiber dem oft widerlich fich breit machenden Standpunkt reiner Empirie, wird doch die Frage angefichts folcher Vorfchlage erlaubt fein, ob man es mit einem Ideal oder einer Utopie zu thun habe. Das letztere mufs wohl hier gefunden werden, wozu noch kommt, dafs diefes utopifche Ideal, obwohl auf ein Leben des Einzelnen fur die Gefellfchaft ( ,vivre pour autrui'') abzweckend, doch wohl ein falfches ift, fofern, wie der Verf. in feiner — allerdings etwas zu leicht ge- fchiirzten — ,Kritik‘ (S. 77 — 85) fagt, ,das Ziel der pofi- tiven Erziehung nicht da liegt, wo es liegen follte — namlich iib e r dem Menfchen und der Menfchheit*. Trotz- dem ift die Schrift Sterzel’s fur das Studium padago- gifcher Fragen und ihrer Gefchichte werthvoll durch zahlreiche wahre und anregende Gedanken, welche die Padagogik Comte’s immerhin darbietet, wie durch die klare, hubfche Darftellung, in der fie uns diefe Gedanken im Zufammenhang vorfiihrt. Heidelberg. Baffermann. Bibliographie von Cuftos Dr. Johannes Muller, Berlin W., Opernplatz, Konigl. Bibliothek. jDcutfcbe Hitcratur. Henrychowski, Ign. , HaElu Jtich od. die identifche Form u. Bedeutung d. flawifchen u. d. altteflam’entlichen Urgottesnamens B6g n;. Original-Etymologieen der indogermanifch-chriftl. u. der hebraifch- altteflamentl. Hauptgottesnamen. 2. Eflay. Oftrowo (Leipzig, K. F. Kohler’s Antiqu. in Comm.), 1887. (35 S. gr. 8.) I. — Wolff, O , O. S. B. , Der Tempel v. Jerufalem u. feine Maafse. Graz, Styria, 1887. (VI, 104 S. m. 8 Textfig. u. 12 Taf. gr. 4.) 8. — Ohlmann, E., Die Fortfchritte der Ortskunde v. Palaftina. 1. Tl. Mit 1 Karte d. Sees Genezareth. Norden, Soltau, 1887. (24 S. gr. 4.) 1. 35 Bruder, C. H., Tafuslov xwv Zrjq xcdvrjq dKX&ijxrjq Xs&aiv sive con- cordantiae omnium vocum Novi Testamenli graeci. Ed. ster. IE. auctior et emendatior , lectionibus Tregellesii atque Westcotii et Hortii locupletata. 1. Abth. Leipzig, Bredt, 1887. (176 S. gr. 4.) 5. — Abhandlungen, Breslauer philologifche. 2. Bd. 1. Hft. Breslau, Koebner, 1887. (86 S. gr. 8.) 1. 80 Inhalt: De Minuccii Felicis Octavio et Tertulliani Apologetico scripsit Frdr. Wilhelm. Vitae sanctorum metticae, IX. Ex codicibus Monacensibus , Parisien- sibus, Bruxellensi, Hagensi saec. IX — XII ed. W. Harster. Leip¬ zig, Teubner, 1887. (XVI, 237 S. 8.) 3. — Schultze, V., Gefchichte d. Untergangs d. griechifch-romifchen Heiden- tums. (In 2 Bdn.) I. Staat u. Kirche im Kampfe m. dem Heidentum. Jena, Coftenoble, 1887. (VIII, 455 S. gr. 8.) 12. — ; geb. 14. 50 Spillmann, J., S. J., Die englifchen Martyrer unter Heinrich VIII. Ein Beitrag zur Kirchengefchichte d. 16. Jahrh. [Erganzungshefte zu den „Stimmen aus Maria-Laach“ 38 ] Freiburg i/Br., Herder, 1887. (VII, 171 S. gr. 8.) 2. 25 Graeber, H. J. , Die geheimen Vorfchriften [ Monita secreta ] u. 31 In- flruktionen der Novizen von u. fur Jefuiten, nebfl Vorvvort u. Nach- wort. Aufs neue dem deutfchen Volke zur Warng. mitgeteilt. Bar¬ men, Klein, 1887. (108 S. 12.) — 80 Graubner, Ein Beitrag zur Lebensgefchichte Martin Rinckarts. Eilen- burg, (Becker), 1887. (75 S. gr. 8.) 1. 20 Holtzmann, O., Aus der Gefchichte der theologifchen Fakultat Heidel¬ berg. Zum 5oojahr. Jubilaum. [Aus: Suddeutfches ev.-prot. Wochenbl.] Heidelberg, Emmerling & Sohn, 1886. (12 S. gr. 4.) — 30 Richter, R., Die chriftlichen Sekten. Ein Wort der Mahng. f. die evangel. Deutfchen. Barmen, Klein, 1887. (50 S. gr. 8.) — 75 Hinfchius, Paul, Die preufsifchen Kirchengefetze betr. : Abanderungen der kirchenpolitifchen Gefetze vom 21. Mai 1886 u. 29. April 1887, erlautert. Berlin, Guttentag, 1887. (XI, 115 u. VII, 37 S. gr. 8.) 3. — Kries, Die preufsifche Kirchengefetzgebung, nebfl den wichtigften Ver- ordngn. , Inftruktionen u. Minifterialerlaffen , unter Beriicklicht. der Reichsgefetzgebg. u. der Rechtfprechg. der Gerichts- u. Verwaltungs- gerichtsbehorden zufammengeftellt. Danzig, Kafemann, 1887. (XII, 448 S. gr. 8.) 6. — ; geb. 7. — Lipfius, R. A., In welcher Form follen wir den heidnifchen Kultur- volkern das Evangelium bringen? Vortrag, geh. bei der 3. Jahres- feier d. Allgemeinen evangelifch-proteftant. Miffionsvereins am 2. Juni 1887 zu Oraunfchweig. Berlin, Haack, 1887. (15 S. gr. 8.) — 30 Flad, J. M., Zwolf Jahre in Abeffinien oder Gefchichte des Konigs Theodoros II. u. der Miffion unter feiner Regierung. Teil II. Mit dem Bilde des Konigs Theodoros u. der Nachbildung eines Briefes des Konigsjohannes v. Abeffinien. [Schriften des Institution Judaicum in Leipzig. Nr. 14. u. 15.] Leipzig, Dorffling Sc Franke, 1887. (82 S. 8.) — 80 Beck, J. T., Vorlefungen iib. chriftliche Glaubenslehre. Hrsg. v. J. Lin- denmeyer. 8. u. 9. (Schlufs-)Lfg. Giitersloh, Bertelsmann, 1887. (2. Bd. VIII u. S. 433 — 784. gr. 8.) a 2. — Oehninger, F. , Ehe u. Ehehindernifse nach Gottes Gebot. Augsburg, Preyfs, 1887. (44 S. gr. 8.) — 50 Rohm, J. B., confeffionelle Lehrgegenfatze. 3. Thl. Hildesheim, Borg- - meyer, 1887. (XII, 756 S. gr. 8.) 7- — Lorenz, O., Ein Streifzug durch die ultramontane Preffe. [Flugfchriften d. Evangel. Bundes, 5. Hft.] Halle, Strien, 1887. (35 S. 8.) — 25 Stokmann, G., Welche Mangel beeintriichtigen die theoretifche u. prak- tifche Ausbildung der Diener der reformirten Kirche auf deutfchen Univerfitaten? Referat f. die 2. oftfrief. reform. Bezirksfynode. Em- den, Schwalbe, 1887. (26 S. 8.) — 1 30 Hering, H., Hiilfsbuch zur Einliihrung in das liturgifche Studium. 1. Halfte. Wittenberg, Herrofe Verl., 1887. (144 S. gr 8.) 2. 50 Pearfon, K., Die Fronica. Ein Beitrag zur Gefchichte d. Chriflusbildes im Mittelalter. Mit 19 Taf. Strafsburg, Triibner, 1887. (XV, 141 S. gr. 8.) cart. 9. — Weils, J. H., Zur Gefchichte der jiidifchen Tradition. 4. Thl. Vom Ab- fchlufs d. Talmuds bis Ende d. 5. Jahrtaufends jiid. Z. R. (In hebr. Sprache.) Wien, [Lippe], 1887. (VIII, 367 S. gr. 8.) 6. — Miinz, J., Die Religionsphilofophie d. Maimonides u. ihr Einflufs. 1. Thl. Berlin, Rofenftein & Hildesheimer, 1887. (36 S. gr. 8.) I. 20 Lazarus, M. , Treu u. frei. Gefammelte Reden u. Vortrage iib. Juden u.Judenthum. Leipzig, C. F. Winter, 1887. (VII, 355 S. gr. 8.) 6. — Hiteratur he6 2Cue>lanfcce». Martin, J. P. P , Introduction a la critique generale de l’Ancien Testa¬ ment — De l’origine du Pentateuque. Tome I. Lemons professees a l’Ecole Superieure de Theologie de Paris, en 1886 — 1887. (Lithogr.) Paris, Maisonneuve, Freres et Ch. Leclerc, [1887]. (CVIII, 639 p. 4.) 40 fr. Wood, J. G., Birds of the Bible, from ‘Bible Animals’. With 32 illu¬ strations. London, Longmans, 1887. (250 p. 8.) 3 s. 6 d. Rambaud, P., La vie de saint Paul, apotre des nations, d’apres des livres saints, les Peres, les monuments de la tradition et les travaux les plus recents. 2e 6dit., revue avec soin et considerablement augmentee, pour servir d’introduction aux epitres de saint Paul et a l’etude des origines. Paris, lib. Lethielleux, 1887. (XV, 448 p. 8.) La Bible. Traduction nouvelle d’apres les textes hebreu et grec, par E. Ledrain. T. 2. IIRois; Esdras; N6hemie; I et II Chroniques; I et II Maccabees. Paris, lib. Lemerre, 1887. (493 p. 8.) 7 fr. 50 Jean Chrysostome, Saint. — ’Oeuvres completes de saint Jean Chrysostome. Traduites pour la premiere fois en frangais, sous la direction de M. Jeannin. T. 1. Histoire de saint Jean Chrysostome; Exhortations a Theodore; Du sacerdoce. Arras, libr. Sueur-Charrney , 1887. (IV, 631 p. a 2 col. 4.) Bayne, P., Martin Luther: His life and Work. 2 vols. London, Cassell, 1887. (1102 p. 8 ) 24 s. France, H. de, Les Montalbanais et le Refuge. Augmente des notes recueillies dans les archives de Berlin par M. P. de Felice. Mon- tauban, impr. Forestie, 1887. (VIII, 559 p. 8.) Gachon, E. , Une controverse theologique au XVIIe siecle (Bossuet et Claude), etude historique et critique. Paris, libr. Fischbacher, 1887. (27 p. 8.) Chevalier, A., Les Freres des ecoles chretiennes et l’Enseignement pri- maire apres la Revolution (1797—1830). Paris, libr. Poussielgue, 1887. (XL, 607 p. 8.) 6 fr, Riley, A., Athos, the Mountain of the Monks. With numerous illustra¬ tions. London, Longmans, 1887. (420 p. 8.) 21s. 3 67 Theologifche Literaturzeitung. 1887. Nr. 15. 3<58 D’ E s t o u rn el le s de Constant, Baron, Les congregations religieuses | chez les Arabes et la conquSte de l’Afrique du Nord. [Bibliotheque ethnographique.] Paris, Maisonneuve et Ch. Leclerc, 1887. (X, p. 1 1—72, 24.) 1 fr. 50 Cutts, E. L., A dictionary of the Church of England. London, Christian Knowledge Society, 1887. (660 p. 8 ) 7 s- 6 d. Bannerman, D. D. , The Scripture Doctrine of the Church historically and exegetically considered. The eleventh series of the Cunningham Lectures. London, Hamilton, 1887. (598 p. 8.) 6 s. Brooks, P., Tolerance: Two Lectures addressed to the Students of se¬ veral of the Divinity Schools of the Protestant Episcopal Church. London, Macmillan, 18S7. (106 p. 8.) 2 s. 6 d. Decker, P. de , L’Uglise et l’ordre social chretien. Louvain, lib. Ch. Peeters, 1887. (403 p. 8 ) 5 fr- Erich sen, H., The cremation of the dead, considered from an aesthetic, sanitary, religious, historical, medico-legal, and economical stand¬ point; with an introductory note by T. Spencer Wells. Detroit, D. O. Haynes & Co., 1S87. (X, 264 p. il. 12.) $ 2. “Hue 5citfd)riftcn. Hap pel, J. , Die Hauptftufen des religiofen Lebens der Menfchheit. [Schlufs.] 2. Die national- (ittliche Kulturreligion (Ztfchr. f. Miftionsk. u. Religionswiff. 1887, 3, S. 148 — 158). Hu it, Ch. , L'immortalite de l’ ante dans le monde fa-yen {Anna les de philos. chretienne 1887, inai, p. 171 — 184; juin , p. 284 — 305; juillet, p. 387-395). Maspero, La Syrie avant 1’ invasion des Hebreux d’apres les monu¬ ments egyptiens ( Revue des etudes juives 1887, avril — juin, Actes et conferences, p. CL XIV — CL XX LI). Pefch, Chr., Die buddhiltifche Moral (Stimmen aus Maria-Laach 1887,6, S. 18-33). Kbnig, E. , Zur Kritik des Textes des Alten Teftamentes (Ztfchr. f. kirchl. Wiffenfch. u. kirchl. Leben 1887, 6, S. 273 — 297). Arndt, Th., Zur Kritik des A. Teftaments. I. Neue Einleitungen ins Alte Teft. II. Der gegenwartige Stand der Hexateuchkritik. III. Neue Beitrage zur Textkritik (Prot. Kirchztg. 1887, 22, Sp. 493 — 501; 24, Sp. 543 — 552; 26, Sp. 585 — 595; 28, Sp. 640—648). Selbfi, J., Zur Orientirung iiber Methode u. Ergebnifse der neueflen Pentateuchkritik (Der Katholik 18S7, April, S. 337 — 368; Mai, S. 449—480; Juni, S. 56I — 599). Wildeboer, G., Uit de geschiedcnis van het ontstaan en de opteekening der Priesterlijke Thorah (L.) Darftellung u. Kritik der Anficht Well- haufens v. Gefchichte u. Religion des Alten TefL v.. R. Finsler, Zurich, 1887 ( Lheol . Studi'en 1887, 3 , 236 — 250). Kiichenmeifter, F. , Das Wort n'SEb im Alten Teftament u. feine Ueberfetzung in den verfchiedenen Sprachen (Ztfchr. f. wiffenfch. Theol. 30, 3 [1887], S. 257 — 280). Ahrens, K., Zu Matth. 7, 6 (Jahrbb. f. prot. Theol. 1887, 3, S. 52S). Manen, van, Paulus Episcopus [mit Bezug auf A. Pierson et S. A. Na- ber, Verisimilia . Amstelodami 1886] (Jahrbb. f. prot. Theol. 1887, 3, S. 395—43 0- Baljon, J. M, S., De verschillende partijen in de Korinthische gemeente. 1 Kur. 1:12 {Theol. Studi'en 1887, 3 , p. 256 — 259). Baljon, J. M. S., Gal. 2:11b {Theol. Studi'en 1887, 3, p. 251 — 255). Soden, H. v. , Der Epheferbrief [Schlufs], 2 Die dem Epheferbrief eigenthiimlichen Lehraufftellungen. 3. Die Entftehungsverhaltnifse des Briefes (Jahrbb. f. prot. Theol. 1887, 3, S. 432-498) Reimpell. J. C., Das xartyeiv im 2. Theffalonicherbrief. Eine biblifche Studie (Theol. Stud. u. Krit. 1887, 4, S. 71 1 — 736). Amelineau, E. , Fragments ihebains inedits du Nouveau Testament [Suite) (Ztfchr. f. Sgypt. Sprache u. Alterthumsk. 1886, 3 u. 4, S. 103— 1 14; 1887, 1 u. 2, S. 47—57)- Duval, R. , Notes sur la Peschitto. ILL Le Semadar [ C antique des Cantiques IL, 13 et 15, VII, 13; Is ate XVII, n] {Revue des etu¬ des juives 1887, avril — juin, p. 277 — 281). Hilgenfeld, A., Die Hermas-Gefahr (Ztfchr. f. wiffenfch. Theol. 30, 3 [1887]. S'. 334-342; 384). Drafeke, J., Dionysiaca (Ztfchr. f. wiffenfch. Theol. 30,3 [1887], S. 300—333)- Zingerle, A., Die lateinifchen Bibelcitate bei S. Hilarius von Poitiers (Kleine philolog. Abhandlungen v. A. Zingerle IV, Innsbruck, 1887. s. 75—89). Hxq’l rod (yxxopiov xov M. Baaihetov eiq zovq TSGGtXQCcxovra (xaQ- rvQuq (j ExxhrjOiaOTixri )4A tfoeux 1887, 28 (pspQ., p. 343 — 350; 15 t-MQT., p. 402—409). Capecelatro, San Paolino da Nola Poeta e Artista (Atti della R. Accad. di archeol., lettere e belle arti. Napoli 1884 — 86, p. 49—61). Carpenter, J. E., Phases of early Christianity. The new prophecy. — The organisation of teaching (The Christian Reformer 1887, June , p. 321—337; July, p- x— 18). Westphalen, Comte de, La date de T avenement au trone de Con¬ stantin le Grand , d’apres Eusebe et les medailles {Revue numis- matique 1887, 1, p. 26 — 42). Grifar, H. , Der Liber pontifcalis (Ztfchr. f. kath. Theol. 1887, 3, S. 417—446). Pie per, A., Romifche Archive. I. Das Propaganda-Archiv. I. (Rom. Quartalfchr. f. chriftl. Alterthumsk. u. f. Kirchengefch. I, 1 [1887], S. 80 — 99). Buchwald, Zur Kritik des Textes der Predigten Luthers iiber das erfle Buch Mofis (1523 — 24) (Theol. Stud. u. Krit. 1887, 4, S. 737 — 749). Waal, A. de, Die Ausgrabungen bei der Confessio von St. Peter im Jahre 1626 (Rom. Quartalfchr. f. chriftl. Alterthumsk. u. f. Kirchen¬ gefch. I, 1 [1887], S. 1 — 19). Kamphaufen, A., Die Decane, Profefforen u. Doctoren der evangelifch- theologifchen Facultiit zu Bonn [1818 — 1886.] (Prot. Kirchztg. 1887, 26, Sp. 597—604). Schmidt, K., Die in Preufsen geltenden kirchenpolitifchen Vorfchriften, nach der Gefetzgebung von 1871 — 1887, auf Grund des Gefetzes vom 29. April 1887 zufammengeftellt (Archiv f. kath Kirchenrecht 1887, 4, S. 166 — 185). Nicoll, W. R., Dr. Maclaren [ With portrait .] ( The Expositor 1887, July, p. 64—71).. Lawrence, E. A., Mission Work in China {The Andover Review 1887, May, p. 518 — 526). Die Miffion der ,,Vereinigten Methodiften-Freikirchen“ Englands in Oft- afrika (Allg. Miff.-Ztfchr. 1887, April, S. 184 — 191). Ulmer, Kurze Gefchichte des bayerifchen evangelifch-lutherifchen Ver- eins zur Verbreitung des Chriftentums unter den Juden (Nathanael 1887, 2, s. 46—57)- Lorenz, Ueber Innere Miflion u. Gemeinde-Diaconie. Bericht fur die Kreisfynode Brieg (Prot. Kirchztg. 1887, 25, Sp. 561 — 572). Rcccnftoncm Castelli, D. , Sioria degl’ Israeliti (v. E. Montet: Revue de l’ hist, des religions 1887, Mars — Avril; v. E. Nellie: Lit. Ctrlblt. 1887, 29). Chrift, P., Lehre vom Gebet nach dem Neuen Teft. ( The Academy 1887, 9 July ; v. Pahncke: Theol. Stud. u. Krit. 1887, 4)- Dittrich, F., Gasparo Contarini (v. G. Egelhaaf: Hiftor. Ztfchr. 1887, 4; v. H. Bloch: Mittlgn. aus d. hid. Lit. XV, 3 [1887]; v. J. Schmid: Liter. Rundfchau 1887, 7). d’Eichthal, G., Melanges de critique biblique (v. Wellhaufen: Deut- fche Litztg. 1887, 24; v. A. Hebbelynck: Le Museon 1887, Janv.). Fabre, A., Flechier orateur 1672 — 1690 (v. E. P.: Bulletin critique 1886, 3; v. A. Baudrillart: Revue des questions historiques 1887, juillet ). Faugere, P., Oeuvres de Blaise Pascal. L (v. A. Molinier: Revue cri¬ tique 1887, 28; v. G. Audiat: Bulletin critique 1887, 11). Frith, J., Life of Giordano Bruno. Revised by M. Carriers {The Athe¬ naeum 1887, 16 April-, v. P. Natorp: Deutfche Litztg. 1887, 29). Gamurrini, J. F. , S. Llilarii tractatus de mysteriis et hymni et S. Silviae Aquitanae peregrinatio ad loca sancta (v. E. W.: Lit. Ctrlbl. 1887, 27; v. L. Duchesne: Bulletin critique 1887, 13; v. L. Delisle: Bibliotheque de Lecole des chartes 1887, 2 et 3). Kervyn de Lettenhove, Les Huguenots et les Gueux (v. P. P. M. Alberdingk Thijm: Hiftor. Jahrb. VII, 4 [1886]; v. E. Marcks: Deut¬ fche Litztg. 1887, 29; v. E. Marcks: Revue historique 1887 , juillet — aout ). Knoell, P., Eugippii vita Sancti Severini (v. A. E.: Lit. Ctrlblt. 1887, 15; v. A. Goldbacher: Ztfchr. f. ofterreich. Gyrnn. 1887, 3). Knoell, P., Eugippii excerpta ex eperibus S. Angus tini (v. W. Sanday: The Classical Review 1887, 5 & 6; v. A. Goldbacher: Ztfchr. f. ofterreich. Gymn. 1887, 3). Lipfius, R. A., Die apokryphen Apoftelgefchichten II. 1 (v. Schanz: Liter. Rundfchau 1887, 7; v. H. Holtzmann: Deutfche Litztg. 1887, 29). Pallor, L., Gefchichte der Papfte I (v. v. Druffel: Gotting. gelehrte An- zeigen 1887, 12; v. Th. Kolde: Allg. konf. Monatsfchr. 1887, 7). Pressense, E. de, L’ancien monde et le christianisme (v. Goblet d’Al- viella: Revue de l hist, des religions 1887, Mars — Avril; v. P. Al¬ lard: Revue des questions historiques 1887, juillet’). Probft, F., Gefeh. der kathol. Katechefe (v. V. Thalhofer: Lit. Rund¬ fchau 1886, 11; v. Gobi: Hift.-polit. Blatter 100, 1 [1887]). Steinmeyer, F. L., Das hohepriefterliche Gebet Jefu Chrifti (v. Kepp- ler: Theol. Quartalfchr. 1887, 2; The Academy 1887, 9 July). Thayer, J. IL, A greek-english lexicon of the New Test. (v. L. Dicker- man: The Andover Review 1887, April ; v. T. K. Abbott: I he Clas¬ sical Review 1887, 4). Vatke, W. , Hift.-krit. Einleitung in d. A. Teft. v. H. G. S. Preifs (v. H. P. Smith: Hebraica 1887, April; v. A. Hilgenfeld: Ztfchr. f. wiffenfch Theol. 30, 3 [1887]). Vattier, V., John Wyclyff (v. E. Coquerel: Revue de I’hist. des religions 1887, Mars — Avtil; v. H. de l’Epinois: Revue des questions histo¬ riques 1887, juillet). Volkmar, G., Urchriftl. Andachtsbuch. Die Lehre der 12 Apoftel an die Volker. 1. u. 2. Aufl. (v. J. Gottfchick: Ztfchr. f. prakt. Theol. 1887, 3; The Academy 1887, 9 July). Volkmar, G., Paulus v. Damaskus bis zum Galaterbrief (v. A. Kappeler: Prot. Kirchztg. 1887, 23; The Academy 1887, 9 July). Weizfaecker, C., Das apoftolifehe Zeitalter der chriftl. Kirche {The Bibliotheca Sacra 1887, April ; v. A. Sabatier: Revue critique 1887, 27'. Verantwortlicher Redacteur Prof. Dr. Ad. Harnack. Leipzig, J. C. Hinrichs’fche Buchhandlung. Druck von Anguft Pries in Leipzig. Herausgegeben von D. Ad. Harnack, Prof, zu Marburg, und D. E. Schurer, Prof, zu Giefsen. Erfcheint alle 14 Tage. Leipzig. J. C. Hinrichs’fche Buchhandlung. Preis jahrlich 16 Mark. N£i 16. 13. Auguft 1887. 12. Jahrgang. Annales du Musee Guimet T. IX. (Wiedemann). Vetus Testamentum Graecum, cura Leandri van Ess (Schurer). Ryffel, Unterfuchungen iiber Micha (Stade). Gla, Die Originalfprache des Matthausevange- liums (Schnapp). Antiqua Mater. A Study of Christian Origins (A. Harnack). Wilpert, Ein Gemalde aus der Katakombe der h. Domitilla (Ficker). Blicke auf die Gefchichte der lateinifchen Bibel im Mittelalter III. (Ranke). Dol linger und Reufch, Die Selbftbiographie des Cardinals Bellarmin (A. Harnack). Burggraf, Die Moral der Jefuiten (Fay). Previti, Giordano Bruno (Reufch). Biichfel, Erinnerungen aus dem Leben eines Landgeiftlichen. 4. Bd. (Meier). Annales du Musee Guimet. Tome IX. Paris, Leroux, 1886. (gr- 4-) In halt: Les hypogees royaux de Thebes par M. E. Lefebure. 1. division. Le tombeau de Seti Ier, publie in extenso avec la collaboration de MM. U. Bouriant et V. Loret et avec le con- cours de M. Ed. Naville. (31 S. m. 235 autogr. Taf.) Das Werk, deffen erfter Theil hier vorliegt, ill be- ftimmt, eine empfindliche Liicke in der aegyptologifchen Literatur auszufiillen. Seit Champollion und Rofellini 1829 Theben befuchten, wufste man, welch einen reichen Schatz an religiofen Infchriften hier die Konigsgraber enthielten; aber bei den Schwierigkeiten, welche einem langern Aufenthalte in denfelben, mehrere Kilometer vom Nile entfernt, in den nur mit Mtihe erhellbaren, von fchlechter Luft erfiillten unterirdifchen Gangen, ent- gegentraten, hatte fie keiner der neuern Reifenden einem genauern Studium unterzogen. Erft 1883 benutzte Le¬ febure einen zweimonatlichen Aufenhalt in Theben zu dielem Zwecke und copirte mit Hulfe einiger anderer Aegyptologen die Texte an den Wanden der verfchiedenen Graber. In vier Banden gedenkt er feine Refultate zu publiciren, der erfle vollendete giebt die Infchriften des Grabes Seti I; der zweite foil die des Grabes Ramfes III, der dritte die Varianten, welche die iibrigen Graber ent- halten, und der vierte endlich eine Befprechung des In- haltes der Texte u. f. f. vorfiihren. Das Hauptgewicht ifh in diefem Bande auf die Tafeln gelegt worden, welche die Infchriften nach ihrer topo- graphifchen Vertheilung Gang fur Gang und Saal fur Saal darftellen. Die Reproduction ift klar und uber- fichtlich und die Wiedergabe, foweit anderweitige Copien mir eine Vergleichung geflatten, durchaus cor¬ rect. Auf eine palaographifch genaue Copirung der einzelnen Zeichen ift freilich verzichtet worden; es hatte dies die Arbeit ungemein erfchwert, ohne wiffenfchaft- lich entfprechenden Nutzen zu bringen; eine Separat- publication von 30 Tafeln foil iibrigens die kunfthiftorifch mtereffanteren Partien vorfiihren. Im Allgemeinen find die Texte gut erhalten, doch fehlen mehrere grofsere Basreliefs und Pfeiler, welche ausgebrochen und in die Mufeen zu Paris , Florenz und Berlin gebracht worden find. Aufserdem haben moderne Sammler und die Araber zahlreiche Hieroglyphen ausge- fagt und fortgefchleppt und bei diefer Gelegenheit die umliegenden Theile der Infchriften zerftort. Als Belzoni 1815 das Grab eroffnete, war es noch ganz unverfehrt, obgleich ein Papyrus aus der Zeit Ramfes X uns be- richtet, dafs es bereits damals von Dieben ausgeraubt worden fei. Diefelben haben fich jedenfalls darauf be- fchrankt, die Werthgegenftande fich anzueignen, Infchriften u. f. f. dagegen unberiihrt gelaffen. Der Sarg aus Alabafler ftand, freilich mit zerbrochenem Deckel, an Ort und Stelle, er ift jetzt im Soane-Mufeeum zu London 369 und ward von Sharpe und Bonomi, The sarcophagus of Oimenepthah I, London 1864, publicirt. Die Mumie fehlte; fie ward in einem weifsen Holzfarge in dem Ver- fteck von Der el bahari entdeckt und befindet fich nun- mehr wohlerhalten im Mufeum zu Bulaq. Die Grabreliefs enthalten einmal Darftellungen des Konigs, wie er von den Gottheiten des Kreifes des Sonnen- gottes und desOfiris imjenfeits empfangen wird, dann aber eine Reihe reich illuftrirterWerke, die fich auf denTodten- cultus und auf die Topographie der Unterwelt beziehen. Zu erfteren gehoren die Sonnenlitaneien, Anrufungen an Ra, welche man Angefichts von 75 Statuettchen des Sonnengottes auszufprechen hatte, und das Ritual vom ,Oeffnen des Mundes1, deffen Inhalt eine Reihe von heiligen Handlungen bilden, welche von verfchiedenen Perfbnlich- keiten bei der Statue des todten Konigs vollzogen werden follten. Befchreibenden Inhaltes find das Buch von der Unterwelt, das Buch vom Amtuat, die Legende von der Aufrichtung des Himmelsgewolbes und eine aftronomifche Karte des Himmels mit Beifiigung einerLifte der Dekane. Die Texte berichten dabei vor allem die Fahrt des Sonnengottes wahrend der Nacht von Weften nach Often, fchildern die Raume, welche er wahrend der 12 Nacht- ftunden zu durchwandern hatte, ihre Thorhiiter, die guten Damonen, welche den Sonnengott unterftiitzten, und die bofen, welche ihm entgegentraten , ihre Geftalt u. f. f. Die Zahl der dabei erwahnten Gottheiten ift eine un- geheuere, fie wechfelt fortwahrend und es fcheint eine Hauptbefchaftigung der Prielterfchaft gewefen zu fein, das Bild diefer Raume immer bunter und bunter zu ge- ftalten. Da fich die hierauf beziiglichen Texte faft aus- fchliefslich in Theben gefunden haben, fo liegt in ihnen wohl die thebanifche Auffaffung des Sonnengottes vor, welche in einem gewiffen Gegenfatze fteht zu der helio- politanifchen, wie fie uns im Todtenbuche, den Pyramiden- texten und ahnlichen Compofitionen entgegentritt. Ver- einzelt fich auch an anderen Orten — bef. auf laiti- fchen Sarkophagen — findende Darftellungen der theba- nifchen Lehren konnen gegen deren oberagyptifchen Urfprung Nichts beweifen, da die Aegypter ftets fyn- kretiftifchen Tendenzen gehuldigt und die verfchiede¬ nen Localculte trotz innerer Widerfpriiche neben ein- ander verwendet haben. Zeitlich fallt die Hauptbliithe diefer Religionsauffaffung in die Periode der 18 — 20. Dynaftie; fpater unter den Saiten und Ptolomaern wurde fie wieder hervorgefucht, wohl mehr aus aberglaubifchen als aus wirklich religiofen Beweggrunden, wie man da¬ mals iiberhaupt mehr auf die Zahl der zu Hulfe ge- rufenen Damonen als auf den Sinn der einzelnen Ge- ftalten Gewicht legte. Der die Tafeln begleitende Text ift fehr kurz ge- halten. Er fchildert den Eindruck, den das Thai der Konigsgraber in feiner Oede und Einfamkeit auf den 370 371 Theologifche Literaturzeitung. 1887. Nr. 16. 372 Reifenden macht, befchreibt dann das Grab Seti I in feiner Anlage und Ausfuhrung, fuhrt die alteren Bear- beitungen feiner Texte auf und giebt endlich ein Ver- zeichnifs der einzelnen Gange und Raume unter Bei- fiigung der Nummern der Tafeln, welche ihre Texte ent- halten. Ein Plan des Grabes und einige Supplement- Tafeln mit Angabe der fiir die Ornamentirung verwendeten Farben dienen zur Erlauterung der Ausfuhrungen der Einleitung. Ueber den Inhalt der einzelnen Infchriften finden fich keine Angaben und wird das Werk daher zu- nachft nur von Aegyptologen und andern des Aegyp- tifchen machtigen Gelehrten benutzt werden konnen. Fur diefe aber werden die zahlreichen, hier ausftihrlich und in zuverlaffiger Weife publicirten Texte von grofstem Werthe fein, fie werden auf zahlreiche Punkte der agyp: tifchen Religionslehren ein ganz neues Licht werfen, und es ift nur zu wiinfchen, dafs das Erfcheinen der weiteren Bande diefer in hohem Grade dankenswerthen Publication nicht zu lange auf fich warten lafst, da fiir das Ver- ftandnifs derartiger Infchriften die Moglichkeit der Be- nutzung mehrerer Recenfionen eine unumgangliche Nothwendigkeit ift. Erft durch den in Ausficht geftellten Textband wird der Inhalt auch weiteren Kreifen zugang lich fein, und es wird durch denfelben dann der religions- gefchichtlichen Forfchung iiberhaupt ein reiches Material von weittragender Bedeutung erfchloffen werden. Bonn. A. Wiedemann. Vetus Testamentum graecum iuxta LXX interpretes ex auctoritate Sixti V. pont. max. editum. Iuxta exem¬ plar originale vaticanum Romae editum 1587 quoad textum accuratissime et ad amussim recusum cura et studio Leandri van Efs, S. Theol. Doctoris. Editio stereotypa Caroli Tauchnitii novis curis correcta et aucta. Leipzig, Bredt, 1887. (34 u. 1027 S. gr. 8.) M. 8.— Die im Jahre 1824 von Leander van Efs veran- anftaltete Septuaginta- Ausgabe macht keinen anderen Anfpruch als den eines getreuen Abdruckes der fixtini- nifchen Ausgabe von 1587. Da der Text der letzteren unter den gedruckten Texten der relativ befte ift, fo ift die einfache Wiedergabe desfelben fo lange berechtigt, als fich nicht ein Gelehrter und ein Verleger zu dem Wagnifs einer neuen Septuaginta- Ausgabe mit eigener Text-Recenfion vereinigen. Der Wunfch, dafs dies bald gefchehen moge, ift heutzutage ein berechtigter. Denn durch die neueren Publicationen find fo viel Vorarbeiten dafiir geliefert worden, dafs dieForderung geftellt werden darf und mufs, dafs diefes Material nicht langer brach liegen bleibe, fondern fiir eine neue Septuaginta-Ausgabe verwerthet werde. — Indeffen auch Tifchendorf hat bekanntlich in feiner 1850 zum erftenmale erfchienenen Septuaginta-Ausgabe nichts anderes als einen Abdruck des fixtinifchen Textes gegeben. Wenn nun der Ver¬ leger des Tifchendorf Tchen Textes fich fiir berechtigt halt, die im Jahre 1850 angefertigten Stereotypplatten immer wieder abdrucken zu laffen, fo kann man es dem Verleger des van Efs’fchen Textes nicht ubel nehmen, wenn er mit den anno 1824 hergeftellten Stereotypplatten ebenfo verfahrt. Das eine hat diefelbe Berechtigung, wie das andere. Denn der Tifchendorf’fche Text hat keine irgendwie nennenswerthen Vorziige vor dem van Efs’fchen, auch nicht in den neueren Abdrucken. Denn auch bei diefen werden die von Nettle angefertigten Collationen des cod. Vaticanus und Sinaiticus nicht unter dem Text, fondern nur als Anhang gegeben. — Um fiir den neuen Abdruck der Stereotypplatten wenigftens etwas zu thun, hat der Verleger des van Efs’fchen Textes einen kundigen Anonymus veranlafst, zur alten praefatio (p. 3— 8) epilegomena hinzuzuftigen (p. 1 1 — 34), in welchen namentlich eine fehr dankenswerthe Ueber- ficht der neueren Septuaginta -Literatur gegeben wird. Ich glaube qicht zu irren, wenn ich als deren Verfaffer Herrn Dr. Neftle bezeichne. Giefsen. E. Schiirer. Ryssel, Prof. Lie. Dr. Viet., Untersuchungen iiber die Text- gestalt und die Echtheit des Buches Micha. Ein kritifeher Commentar zu Micha. Leipzig, Hirzel, 1887. (VIII, 284 S. gr. 8.) M. 8. — Der Verf. diefes beim Verleger des Kurzgefafsten exegetifehen Handbuches zum A. T. und in der Aus- ftattung desfelben erfchienenen Commentares will die von ihm fehr wider den Sprachgebrauch ein Axiom genannte Thatfache, dafs der Text des Buches Micha vielfach, be- fonders in den allein aus vorexilifeher Zeit herrtihrenden Capiteln 1 — 3, heillos fchlecht uberliefert ift, in ihrer Einfchrankung, und die Meinung, dafs man in den alten Verfionen eine Handhabe zur Verbefferung der Textcor- ruptionen habe, in ihrer Unrichtigkeit nachweifen. Er bezeichnet es als einen Hauptzweck feiner Schrift, einer falfchen Verwerthung der Verfionen entgegenzutreten, welche ,zu oft aus dem Wortlaut der alten Ueberfetzun- gen in rein mechanifcher, unwiffenfchaftlicher Weife auf die ihnen zu Grunde liegende Textgeftalt zuriickge- fchloffen habe‘. Der Lefer, welcher den a. t. Studien der letzten Jahrzehnte gefolgt ift, wird fich verwundert fragen, wer in after Welt die vom Verf. bekampften Gegner nur find, welche von dem Grundfatze mechanifcher Riickuber- tragung aus die ,Ueberfetzungen‘ alfo benutzt und zur Wiederherftellung des Textes des Buches Micha als aus- reichend erklart haben. In den letzten Decennien haben umfangliche und erfolgreiche Unterfuchungen iiber die Ueberfetzungen des A. T.’s, vor ahem iiber die LXX ftatt- gefunden. Es geniigt, an die Arbeiten von Lagarde, Wellhaufen, Hollenberg, Vollers u. A. zu erinnern. Mit ahem Fleifs ift man darauf ausgegangen, den Charakter der einzelnen Ueberfetzungen zu ermitteln und feftzu- ftellen, was Ueberfetzungsmanier , was Wiedergabe be- ftimmter Ueberlieferungsphafen des Textes ift. Sehr be- ftimmte und fiir das Verftandnifs des A. T.’s fruchtbare Schluffe auf die Textgefchichte haben fich hieraus er- geben, welche nach alien Seiten durch die im A. T. felbft vorliegenden Paralleltexte beftatigt werden. Die fo ge- wonnenen Erkenntnifse aber laffen fich in keiner Weife, wie es dem Verf. beliebt hat, auf den vermeintlichen Grundfatz mechanifcher Riickiibertragung reduciren. Der Verf. verrath in diefem Buche keine Bekannt- fchaft mit diefen wichtigen Studien und verdeckt dem Lefer diefen Sachverhalt, indem er alle Verluche, den mafforetifehen Text auf Grund der Ueberfetzungen zu emendieren, auf gleiches Niveau ftellt. Es fcheint mir aber nicht erlaubt, die Verfuche der Aelteren, z. B. eines Schnurrer, in folcher Weife an die Rockfchofse der Mo- dernen zu hangen und zur Bekampfung derfelben zu exploitiren. Wer die Studien der letzten Jahrzehnte nicht kennt, konnte nach des Verf.’s Ausfiihrungen aufserdem leicht auf die Meinung verfallen, des Verf.’s Gegner be- niitzten alle Ueberfetzungen in gleicher Weife zu Text- emendationen, etwa fo, wie fie der Verf. fammtlich auf gleicher Linie behandelt. Conftruirt fich fo der Verf. eine in diefer Geftalt gar nicht vorhandene Gegnerfchaft, fo fragt man weiter, was bietet er denn felbft ftatt der von ihm bekampften, aber in ihrer Bedeutung und ihren Refultaten nicht er- fafsten, neueren textgefchichtlichen Unterfuchungen? Er macht es den Modernen zumVorwurfe, dafs fie vielfach einen Grundfatz ,wahrer Textkritik vergeffen zu haben fchienen, dafs von zwei moglichen Lesarten die fchwerere den Vorzug haben miiffe', wie er fich denn dadurch er- quickt fuhlt, dafs er diefem Grundfatz beim Verf. der 373 Theologifche Literaturzeitung. 1887. Nr. 16. 374 Hebraerin am Putztifche begegnet. Nun will ich mich nicht der Derbheit Hupfeld’s fchuldig machen , welcher zu Pf. 69, 5 diefen vom Verf. wiederentdeckten kritifchen Canon als Freibrief fur Unfinn bezeichnet hat, denn wir Jiingeren find hoflichere Leute. Auch will ich nicht be- tonen, dafs diefer Grundfatz banaufifcher Textbehand- lung nicht nur allem erdenklichen Mifsbrauche, nament- lich im Sinne jener Beftrebungen ausgefetzt ift, welche jetzt unter der ebenfo finnlofen als irreleitenden Firma der ,confervativen Forfchung* die evangelifchen Pfarrer bearbeiten. Denn diefe Beftrebungen haben fich bereits, wie ficher Viele bedauern, mit einer fehr kecken Text- kritik eingelaffen. Indeffen , das wird mir der Verf. vielleicht zugeben , dafs fein Canon iiberhaupt erft anwendbar wird , wenn fefte Kriterien dariiber vor- handen find, was moglich und was fchwer ift. Diefe Kriterien find gerade durch die vom Verf. bekampften Unterfuchungen gewonnen worden. Erft hierdurch ift die fubjective Willkiir eingefchrankt worden, in welche der Verf. zuriickverfallt, wenn er mit dem Refultate endigt, dafs dem Michatexte nur auf dem Wege freier Conjectur geholfen werden konne. Dafs dies auch moglich ift, bezweifelt kein Menfch: es liegen mehr folcher Emendationen auch aus neuefter Zeit vor, als der Verf. regiftrirt. Aber eben nur, wenn man die Text- gefchichte kennt, wird man dies mitErfolg wagen diirfen, und dann dem Michatexte weniger rathlos gegenliber- ftehen als der Verf., welcher einige kleine Anftofse zu heben fucht, und an dem wahren Fiillhorn von Unmog- lichkeiten , welches der mafforetifche Text darbietet, ohne eine Hiilfe auch nur zu verfuchen, voriibergeht. Weshalb es der Verf. fiir angezeigt gehalten hat, das von ihm wiederentdeckie Juwel von einem kritifchen Kanon durch eine auf 143 engbedruckten Seiten vorge- nommene, ertraglofe Anwendung zu discreditiren , ver- mag ich wenigftens nicht zu fagen. Aber weiter fragt man fich auch, was dem Verf. wohl das Buch Micha zu feinem Vorhaben hat geeignet erfcheinen laffen. Wollte er die moderne Textbehand- lung bekampfen, fo hatte er an fchon behandelten Stricken, z. B. dem Text der Bucher Samuelis, doch die ausgiebigfte Gelegenheit gehabt, die Gegner von ihrem Unrecht zu iiberzeugen. Statt deffen wahlt er ein Buch von dem geringen Umfange des Micha, dazu ein Buch, das fchon den alexandrinifchen Ueberfetzern in fehr fchlechtem Texte vorgelegen hat. Nun weifs ja der Verf.
monatsschriftfr32unkngoog_9
German-PD
Public Domain
friacbe bedarf, und dass Tractionen von 40 — 45 Pfund schon eine recht schwierige Zangenqieralion beKeichnra, üebcr einen Ifaehtheü, 4er «na der bisherigen Conatrnction der f eechweiften BeitenTorsprnnge der Zange für den Operationsmech aniamna entsteht. Sei es mir gestattet, liier eine Erfahrung nützutheilen and eine Aendenmg in der Zangenconstruction vorzuscblagen, deren Nutzbarkeit sich nicht auf die Federzapge allein bezieht, sandem auf alle solche Zangen, die nnt^^aib des Schfesses zwei geschweifte Seatenvorsprunge haben, über die man behufs, des Zoges den Zeige- und Mittdfinger überschUgt Die Vor- richCmig« welche äch bekanntlich an den Zangen von Bu8c\ Brünmngkdiu^ent Nctegde u. A. befindet, ist eine in Dentachfamd so gebräuchliche imd an sich so nützliche, • dMS> es mir doch nicht unwichtig scheint, auf einen Nachtbeil auf- markaam zu. machen, der aus ihrer bisherigen Construction Iiervorgebt, «if einen Fehler, den ich aber durch den Ge- bianch der Federzange angefunden habe. 17() ^I- Verli«adtiin|ren d«r GMelUelutft ' Nachdem ich nfimUch afi&ngs fftr nime F^sArziMige die Seitenvorspnlnge nach der berkömmficheii Form hatte constnupen lassen und nun mit der Zange experimentirte. beoimchlete ich, dass die Spiralfeder in dem Griffe der ' linken ISrandie, auf die also der Zeigefinger wirkt, zuerst anlsanrniengedrackt wnrde, und dass erst dann, wenn diese Feder um 8. Millf- metres' zusammengedrückt war, die Feder der rechten Branche dur^h den Mittelfinger in Angriff genommen wunte: Und so machte es sich bei der Verstärkung -des Zuges während der ganzen Traction, dass die linke Feder um 8 Mülimölres gegen die redite voraus war. Da die ersten 8 MiUimdires für bdde Federn 18 Pfund, also Mi* eine Fedeir 8 PAind anzeigen, so ging mir aus dieser Stellung des Griffes hervinr, dass auf den Unken Seitenvorsprung bereits eine Zugkraft Ton 9' Pftind einwirkte, wenn der rechte noch gar nicht in Angriff genommen war. Dieser Umstand muss aber auf den Mechanismus der Operation folgende sehr schädliche Wirkungen haben, nämlich: 1) Dass die Längenaxe der Zange aus der Führungsliiiie des Beckens nach der rechten Seite des Operateurs herausgisrQckt wird. Man hänge die Zange perpendiculär auf, belaste -d^ linkm Seitenfiögel mit 9 Pfund , den rechten mit 0 Pfund, so wird man den Ausschlag der Griffe nach rechts hin erkennen. 2) Dass also eine Hebelwirkuog der verbundenen Zangen- löffel entsteht mit der Drehung des Kopfes um die Axe eines geraden Beckendurchmessers.' Endlidi 3) dass ' eine stärkere Reibung des rechten ZangeniSflUs gegen die rechte MutteiMte entsteht Diese schädHicben Verhältnisse sind nicht bloss an sieb «ndaueY*nde, sondern potenziren sich noch ' graduell in dem Maasse als eine stärkere Zugkraft ausgeöbt wird. Zwar suäi^ wir her der Operation den Fehler dadnrdi zu' corrigtren, dass wir mit der linken Hand durch ein^ Querzug die Zsmgenaxe wieder die Fdhrungslinie des Beckens hel*anzi«hen. Aber je stärker wh* mit der linken Hand ziehen, desto grössere Kraft muss auch die linke Hähd auf ckn Querzug verwenden. Dies bedingt ein Gegeneinanderwirken der rechten und linken Hand, bedingt einen * Verlust an iür Oebnrtohfilfe in Berlin. 177 Zugkraft, mid verleitet wabrsciieinlicb aacb zu einer sUrkeren ZusammendräcküPg des Kopfes, als eben nätzlich ist Indem ich nao Ober die Ursache dieser vers^ihiedenartigenZugvertheiluag auf linke und reehte Branche nachdachte, fand ich dieselbe darin, dass die erste Phalanx des Zeigefingers um etwa 8 MiUiffi^tres kürzer ist als die erste Phalanx des Mittel^ fiogßrs. Hierdurch geschieht es, dass der Zug unserer Hand sich vorzögUch durch den Zeigefinger auf den linken Seiten- vorsprung der Zange übertragt Um diesem Uebelstande abzuhelfen, habe icb den Seitenvorsprung an der rechten Branche um 8 Millimetres höher construiren lassen, so dass «ich nun beide S^itenvorsprunge den anatomischen Verhält- •issen der Hand gut adaptiren und beide Zangenbranchen gieichmassig angezogen werden. Da nun diese ungleich- massige Zugvertheilung für alle die oben benannten Zangen sieb geltend macht (denn wenn auch der Fehler nicht sichtbar wird, wie an der Federzange, so ist er dodi factisch vorband/^n),. so möchte ich mir den Vorschlag erlauben, entweder dass man an Smep den rechten Seitenvorsprung um 8 Millimetres höher hinaufsetze, wie ich dies in der Zeichnung dai^estellt habe, oder dass man sich für solche Zangeo des Martin^schea Operationsverfahrens bediene. Dieses Verfahren besteht bekanntlich darin, dass der Mittelfinger üb«- das Schloss und zwischen die Löfiel gelegt wird, und dass Zeige -^ und Ringfinger über die Seitenvorsprünge geschlagen werdeil. Da die ersten Phalangen des Zeige- und Ringfingers oogeiahr gleich lang sind, so ist hierdurch ebenfalls eine gleiehinässige Zugverlheilung auf die beiden Zangenbranchen gesichert llsisan des InstniiBeiits für die differentieUe Xndicationeiilehre betreflb Zange und Kei^lialotluryptor. Das Gesagte bezog sich auf die Zangenoperation als solche. Gehen wir nun zur Behandlung der Frage über, ob sich nicht von der Federzange ein Nutzen in jenen zweifel- haften Fällen erwarten lasse, wo es sich um die Goncurrenz zwisdien Zange und Kephalothryptor handelt Bei dieser Untersuchung betrachten wür die Zange nicht als Lage veri>essemdes Instrument, sondern nur insofern sie der Extraction dient', der Kephalothryptor dagegen in seiner iC«M«Mebr. t 0«bnrUk. 1861. Bd. XVII.. Hft. 8. t^ 178 XI. yeriwiidlangen clor QesellsehAft Bigenschaft alsVerkleinemngs- and Extradion^Instniiiienl, und beide InstrumeDte in ihrer Anwendung auf den Kopf, sei er vorliegend, sd er nachfolgend mit oder ohne vorausgeschickte Wendung. ' Liest man die Indieationen, welche die LehrbUcher für die Verkleinerung des Kopfes aufstellen , so findet man eine Gruppe von Verhältnissen beschrieben, in denen die Zangen- operation als sogenanntes schonendes Verfahren der Perfoipation vorausgeschickt werden soll. Dies schonende Verfahre wird von Einigen mit Recht in allen den Fällen ausgeschlossen, wo 'der Tod der Frucht festgestellt ist, denn „wozu sollte man -die Kindesleiche auf Kosten der lebenden Mutter schonen?'* — Es wird ferner von Einigen die Zange selbst bei einem lebenden Kinde in dem Falle der Verkürzung des engsten Beckendurchmessers von V^j^ bis nahe an 3" aus- geschlossen, weil sie es für erspriesslicher halten, der durch die Einkeilung lebensschwach gewordenen Frucht mittels des Perforatorii den Tod zu geben, und die Mutter schonend und schnell zu entbinden, als nach O^tancfer'schen Mdxinm die Frucht mittels der Zange in den tödtenden Engpass des Beckens hineinzuzwängen und dabei nocli die Mutter der Gefahr des Todes oder der Verkrfippelung auszusetzen. — Dagegen bei der Verkürzung des engsten Beckendurehmessers auf 3" — 3V2" slmimen wohl die mei^n Lehrer übereih, dass die Zange derKopfVerkleinerung vorausgeschickt werden soll. Und sehen wir von der Lehre ab, so stellt es sich in Praxi heraus, dass in den benannten Grenzen und wohl noch (Ar etwas grössere Verkürzungen selten eine Kindesverkleineniilg ohno vorausgeschickte Zangeuoperation unternommen wuxl. Da nun aber auf einen vorliegenden Fall nicht zu gleicher -Zeit zwei so verschiedenfach wirkende Instrumente passen, können, sondern die Operationsgebiete beider Instrumente objectiv getrennt sein müssen , so bleibt es eine sehr wichtige Aufgabe unserer Kunst, eine wissenschaftliche Auseinander- haltung dieser Gebiete zu erstreben. Die Mittel, deren wir uns für die differentieüe Indieationen- lehre bedienen, sind folgende: Zuvörderst die Beckenmessung. Es ist die« unstreitig wohl das wichtigste Mittel, welches uns um so grössere Dienste fllf Oebartshaife in Berlin. I79 kistet, als wir dasselbe vor und bis zu einem gewissen Dmfonge auch während der Gehurt anwenden können, und als wir durch dasselbe zu sehr exacten Resultaten gelangen. Wegen dieser Nutzbariceit des. Mittels wird auch auf dasselbe m Theorie und Praxis sehr grosses Gewicht gelegt. Von grossem Werthe aber ist auch die Würdigung aller der übrigen Factoren, wdcbe den Geburtsmechanismus bedingen. Es sind dies : von Seiim der Mutter di^ Neigungsverhältnisse des Beckens, DamentUch einzelner Wände, das dynamische und mechanische Verbalten der Weichtheile; — von Seiten der Frucht die Einstelhmg des Kopfes, die Grösse, Form und endlich die Corapressibilität desselben. Was diese Factoren anbetrififl, so ist thdls ihre Messung sehr schwierig, wie z. B. der NdgiiDgsverhSltnisse der Beckenwände, theils ist es oft gar nicht mögGeh, dieselben zu messen, wie z. B. die Grösse des Kindskopfes, theils endlich haben wir noch gar keinen Maassstab filr ihre gradudlen Verschiedenheiten, z. B. für das Verhatten der mütterlichen Weichtheile pder für die CompressiMlkSt des Kopfes, ich stelle endlieh nicht an, die Zange selbst ab Mittel zur Entscheidung zwischen Zange und Kephalothryptor tu betrachten. Der Operateur soll eben aus dem Erfolge der Tractionen prognostisch erkennen, ob es ihm gelingen werde mittels der Zange das Geburtshinderniss zu über- winden, oder ob er zum Kephalothryptor werde schreiten müssen. Mit anderen AVorten, der Operateur soll sich der Zange hier nicht als ''eines Instrumentes fTir die Extraction, sondern als eines Messapparates für die Grösse des Geburts- hindemisses bedienen.^) 1) In dieaem Sinne sollte der Operateur das Instrnment handhaben. Leider aber nnterseheiden unbesonnene und un- erfahrene Geburtshelfer swischen diesem zwiefachen Gebrauche der Zange nicht. Anstatt mit der Zange gleichsam an soudiren, forciren sie von vom an die Operation und hierdurch wird nnendlich geschadet. Hütten wir die Zusammenstellung der ▼erstflmnilangen und TSdtnngen, welche durch zu lange fort- fBetmUi frvehttose Zangeni^rsnehe ▼ollbra^ht worden sind, sie wflrde das dnnkelste Bliitt in der G^eschichle ftratlieher Verirrungen bilden. ^. J. Schmitt sagt (Heidelberger klin. Annalen, Bd. I., pag. 67) von solchen Entbindern: ^dass sie in einem todten Keehanismns befangen sind, das gebärende Weib für eine Maschine 12» 180 XI. VerhAndlungen der Oescdltchaft Vergleichen wir die genannten Mittel naeb dem Werthe, den die Wissenschaft auf sie legt, so ist es wohl unbestrailbar, dass die Beckenmessung als das vorzüglichste gilt. Warum wird denn aber das Beckenmaass so vorzüglich (ür die Indi'cation benutzt? Ist es denn der wichtigste Factor in der Construirung des Geburtsbindeniisses? oder ist denn das Becken derjenige Factor, auf den das Heilverfahren gans besonders gerichtet wird? Beides ist gewiss zu verneinen. Denn die physikalischen Verhältnisse des Kopfes nnd die Art seineij; Einstellung sind ebenso wichtige Potenzen wie das Becken. Es existiren ja Berichte sehr glaubwürdiger Erzähler, dass compressible Köpfe reifer Kinder selbst noch bei 2%'^ Beckenenge, ohne Schaden zu nehmen, durch die Natur zu Tage gefördert worden sind, es ist bekannt, dass dieselbe Frau ein lebendes Kind natürlidi geboren hat, nadidem sie in einer fHUieren Geburt durch Kephalothrypsie entbunden worden, und es ist endlich bekannt, dass sehr grosse Köpfe oder solche mit harten Knochen und festen Nähten, oder* ansehen, an welcher sie im Operiren onr mechanische Vet>> baltnisse sa berücksichtigen und an besiegen haben, and dass sie keinen höheren Zweck des Operirens kennen, als das An- fertigen der Arbeit, nnbekümmert am die Schlachtopfer, die n'nter ihrQn Hunden fallen, and ohne Ahüang eines würdigeren Itr Oebnnshfilfe in Berlin. Igj firiteb do^ateyie &$pfeBeft>st üAter oorntaldii BeckenmÄassen da« PerfbraMrioin notbwendig gemacht haben. Wir sehen also« der Kopf ist^ein gaoz ebenso wichtiger Factor wie das Becken. Dabei ist überdies der Kopf gerade daqenige Gebilde, auf das wir unser Heilverfahren direct nebten, denn ifan fonnen und /rerkleiaem wir, sei es, dass wir ihn durch die Zange in den Beckenkanal hineinziehen, sei es,. dass wir ihn durch Trepan und Schraube zertrömmem. Besdssen wir gar ein Mittel, die Grösse und Gompressibilitöt des Kapfes in der Geburt zu messen, wekh eine wichtige Roile würde dieses Mittel in der Entscheidung zwischen Operationen spielen, welche die Trennung und Reducirung des Kopfes auf ein geringeres Volumen zum Zwecke haben. S» lange wir nun aber solche Messungen nicht anstellen ktenen, ist d^ber in theoretischer Beziehung das Becken für die Indicationsstellung mit .Recht herrorgeliobeD, eben weil es sich messen lässt und weil seine mechanische Influenz durch eine klare undeutbare Zahl fest- Kastellen ist. In Praxi aber macht es sich doch anders, da geniesst das Becken keine so pradominirende Würdigung, denn ver* ^acbt nicht jeder Geburtshelfer in zweifelhstften Fällen erst seioe ZaiM^e? Natürlksb wird der besonnene Operateur das Inslniment reit aller Torsicht, und in dem Sinne, wie ich es oben- bezeichnet habe, anwenden, nämlich als Sonde, als M<»ssapparat für die Grösse des Geburtshindemisses. Ab^ gewiss wird- er nicht eher den Kopf zertrümmern, bis er durch Zangenversuche die Ueberzeugung gewonnen hat, dass das Geburtshinderniss hier ein solches sei, welches eben durch die Zange picht zu besiegen ist. Worauf .aber basirt der Operateur diese seme Ud>er* zevgong? Doch eben nur auf die Dauer der Operation uiid auf das gcdbs^ctive Gefühl der auf die Operation aufgewandten Kraft Wenn ich nun aber oben bewiesen zu haben glaube, dass .diese Criterien keine ricbtigen sind, so dürfte sich zu diesem Zwecke die Federzange als ein Apparat empfehlen, der üurch dynamometrische Messung die Gfösse des Geburts- hindemisses nach seinem graduellen Werthe bez^chnet. 182 XI* VerhandltiBgeii d«r Getelbchaft Lässl sieb dPDD aber das GdHirtshindeniits, dieses m^ gestaltige VerhältDiss, welches den Terschiedenslen Ursachen seine Entstehung verdankt ^ als ein einheitliches auflassen und messen? In Bezug auf seine Aeliologie, in Bezug auf seine Therapie allerdings nicht! Aber in Bezug auf den mechanischen Effect und in Bezug auf die mechanischeii Hülfen ist die Frage zu bejahen! Denn: wenn die^Natiir den Kopf durch den Geburtskanai hindurchtreiben oder d^ Operateur den Kopf hindurchziehen will, so ist die Reibung zwischen Kopf und Geburlskanal der mechanische Ausdruck aller der Wirkungen, welche aus dem Kampfe der aus- treibenden (respective der ausziehenden) Krifle und der Widerstandskräfte entstehen. . Diese Reibung kann das Resultat der verschiedensten mechanischen und dynamischen Potenzen sein, als da sind: Entzündung und Krampf des Uterus, Enge der Bex^ken- durchmesser, Entzündung, Krampf, Straffheit, TrockenhetI der Scheide und äusseren Geburtstheile, falsche Einstellung, Grösse, Härte, Geschwulst des Kopfes u. s. w. — Doch welcher besonderen Art auch immer diese Verhiltnisse in irgend welchem Falle sein qaögen und durch welche andere therapeutischen und operativen Mittel sie zu besiegen wären^ ich sage: das Resultat aller concurrirenden Momente, der letzte mechanische Ausdruck dieser Potenzen stellt sich für die Treibkraft des Uterus und für den Zug des Extractions-Iustrumenles dar als Reibung zwischen Kindesko.pf und Geburlskanal. Wie ist diese Reibung zu messen? Wenn ein Körper wie der Kindeskopf durch einen Hohl'- körper wie der Geburtskanal hjndurchbewegt werden soll, ao wird die hierbei staitHndende Reibung ausgedrückt: durcli ein Gewidit, welches gerade hinreicht, die Durchbewegunf zu bewirken, d. h. durch eine Kraft, welche die Reiliong besiegt. Wenn, wir z. B. im We^e des Experiments bei einer im Kreissen Verstorbenen an die ungeborene Frucht ein Gewicht von 30 Pfund in zweckmässiger Weise applieirtea, und dieses Gewickt, welclies durch ein allmäliges Belasten aufzufinden wäre, reichte gerade hin, die Frucht zu Tage zu fördern, so würde im vorliegenden Falle die Reibung oder nu GeburUhaife ia Berlin. I83 das Gebartahiiiderniw = 30 Pfund gewesen sein^ Da wur- oaD autt der allmäligen Belastung die dynamometrische Messung aoweoden können» so sind wir zu dem Schlüsse berechtigt, die Scala an der Federzange ist nicht bloss ein Maa^sstab für die auf die Operation aufgewandte Kraft, sondern auch für die Grösse des mechanischen Geburtsbindernisses. In Fällen, wo die Wehen vollständig fehlen oder wegen ihrer Schwäche = 0 zu setzen sind, und wo uos die Ex- traction gelingt, da wird die dynarooroetrische Zahl annähernd die volle Grösse des Geburtsbindernisses ausdrücken. Solche Beobachtungen haben ihren grossen physiologischen Werlh und können unter Feststellung der Kopf- und Beckenmaasse eine Berechnung der Compressibilität des extrahirten Kopfes gestatten. Wichüger in praxi aber sind die Fälle, wo uns, mögen Wehen stattfinden oder nicht, die Extraction nicht gelingt. Hier wird ^las Geburtshindemiss grösser sein als die bereits erreichte dynaroometrische Zahl. Und wie oben glaube ich wieder die Hoffnung aussprechen zu dürfen: Es werden «ich durch eine Reihe guter Beobachtungen Zahlen heraus» stellen» welche einen ähnlichen Werth für die differentielle lodicationenlehre, wie gewisse Zahlen der fieckenengen haben, Zahlen, welche ihre Verwerthung am Besten dann finden werden, wenn man sie mit allen einzelnen Facloren des Gebttrtshindernisses und. mit dem Kräflezustande der Mutter und der Frucht in Beziehung bringen wird. Ich selbst will es vorläufig nicht wagen, solche Zahlen zu bezeiebnen, da die kleine Reihe von Beobachtungen, die ich bisher gemacht, mir dafür. nicht ausrekshend ist. Sei es oiir gestattet, meine Herren Collegen, die An* gdegeoheit unter Berufung auf die Worte eines der geschätztesten Lehrer in unserem Fache zu empfehlen. Seanzoni sagt (Lehr- bocfa der Geburtebülfe, 1852, p. 866): . ^Schwer fUlt es oft, ja es gebort ein gerechter praktischer Taci, eioe richtig« Schätzung der hei den Tractionen mit der Zange angewandten und zulässigen Kraft dazu nm das gewählte EntbindungsveHahreu nicht vorzeitig als ein anzureichendes zu verlassen, oder es zum Nachdifil Ig4 XI. VerhaDdlnngen der Gesellschaft der Htittcr* allzulange fortzusetzen. Nicht leicht giebt es eine schwierigere Aufgabe für den praktischen Geburtshelfer als den Zeitpunkt richtig zu bestimmen, wo der Gebrauch der Zange der Anwendung des Perforatoriums Platz'roachen muss." Möge das Princip der Federzange etwas zur Lösung soldi wichtiger Aufgabe^ beitragen. Erklärung der Zeichnung. Fig. I. Ansicht der Zange. FF' bewegliche Theile des Griffes, rr Fortsetzung des Löffels. Ät obere Scala. 2; 2 untere Scala. op Index für die .Maximaihöhe des Zuges, der in dieser Position 10 Miilim^tres anzeigt z Sperr-Riegel. 8 Knopf desselben, y Schlitz im beweglichen Theile des Griffes, in den sich der Sperr *- Riegel z hmeinschiebt. xx Centimdtres- Maass an den Löffeln. Fig. IL Durchschnitt zeigt den inneren Mechanismus des Instruments. Der unbewegliche stählerne Theil des Griffes TT ist in der Gegend von u bis v geschlitzt. Tn diesem Schlitze liegt oben der Messingwüffel q, welcher nach aussen mit dem Halbcylinder F nach innen mit den Messingschienen mn festverbunden ist. Der deutlicheren Ansicht wegen sind die^ Theile etwas auseinandergerückt gezeichnet In natura liegt mn sowohl als F fest gegen TT an, und auf diese Weise gleitet F sicher gegen TT auf und ab. r ist ein äbniicher Würfel wie q^ und op ^ine Messingscfaiene wie m n. Nur ist r nicht mit F verbunden, r gleitet ebenfalls in dem Schütz UV und bewegt sich dadurch, dass n gegen o stösst Während mn durch die Spiralfeder wieder in die Höhe gehoben wird, bleibt op durch Reibung stehen und bildet ^ den Index für den Maximalzug. irto an Fig. I. ist eine Messingschiene wie mn, fest verbunden mit dem Halbcylinder jF*'. Wenn n und o sich berühren, so bildet mnop eine ebenso lange Schiene wie ww. E ist der Federträger der an T fest angeschraubt ist. Fig. III. zeigt wie der Halk;ylinder F sich um das Consol E lagert und um dasselbe sich bewegen kann. Die Zeichnung stellt einen Querdurcfaschnitt des Griffes in der Linie gg' der Fig. IL dar. T, E und F bedeuten dasselbe wie oben. I fBr Geburtflliülf« in Berlin. 185 Dieser Vortrag fand in der Geselfschafl vMen BeifaD ond verkannte dieselbe nicbt den Werüi, den eine genauere Pormnlirung der auf die Zangenoperation verwendeten Kraft far die unschädliche Anwendung derselben, sowie auchr für die Indication des zu erwählenden Operationsverfahrens mit sich führen mässe. Herr Kavffmann erklärte sich mit der verschiedenen Höhenstellung der beiden Seitenvorsprünge sehr einverstanden, hielt indess die theoretische Begründung dieser Aenderung für zu minutiös, da die Hehelkraft bei der geringen Länge des einen Hebelarms unmöglich einen nachlheiligen Einfluss auf die Wirkung der Löffel ausüben könne und eine unbedeutende Schiefstellung der Hand ohnehin hinreiche, die Zugkraft auf beide Blätter gleichmässig wir|^en zu lassen, doch erkenne er bereitwillig die grössere Bequemlichkeit dieser Aenderung an. Herr Kristeller entgegnet hierauf: 1) dass die Differenz an den beiden Armen sich im ersten Moment der Traction mit 9 Pfund, später aber in imn}er steigendem Haasse ergebe, und dies sei weder wissenschafllich noch praktisch rationell; 2) allerdings corrigire man mit der linken H^hd die falsche Wirkung der rechten, aber dadurch gehe ein Theil der Zugkraft verloren, weil linke und rechte Hand in sich kreuzenden' Linien wirken; 3) werde die linke Hand zu einem Drucke auf das Geburts- object verleitet, der erspart werden könne. Herr Martin wandte gegen das Instrument ein, dass es durch eindringende Feuchtigkeit und Schleim etc. leicht kicorrect werden könne und Herr Mitscherliek hiek die Federkraft an. mid für sich mski Hör so uDveränderUch, dass nicht das Instrument' auch oime störende Eingriffe schon durch hiossen Gebraueb seine ZoTerUssiglceit einbösse* Doch entkräftete Herr Kristdler beide letztgenannten Einwendungen durch die eflifache Weisung, das Instrument vor dem jedesmaligen Gebraocbe auf seinen richtigen oder unriditigen Dynamometer* stand (0) tu untersuchen und danach etwaige Abweichungen in Rechnung zu bringen. Uebrigens sei dies Instrument der lg($ XI. Verh«ndinDg«n d«r Gonelbchaft ante Entwarf fär die AuflfOhruDg seiner Jdee und er wnnscbe, dasB der Gebrauch noch zweckdienliche Afiideningen derselben ergeben möge. Herr Louia Mayer sprach über Sarcoma medulläre des Uterus und Rectum. Ver- schluss des letzteren. Tod durch Ileus. Die 45 Jahre alte Madame S, geb. Af., eine Schwedin Ton Geburt und in ihrem Yaterlande bis zum 37. Jahre an- sässig, hatte gesunde Eitern, welche im hohen Alter starben. Sie musste in ihrem Leben viel Gemiithsbewegungen erfahren, namentlich Mitte . der Dreissiger in Folge einer sich ent- wickelnden Geisteskrankheit ihrer Schwester, lebte iihrigens in günstigen, äusseren Verhältnissen. In der Kindheit litt sie *an einem chronischen Bessern beider oberen Extremitäten, war sonst gesund. Die Periode trat im 15. Jahre ohne Beschwerden ein, war regelmässig, den 28. Tag wiederkehrend, aber von Anfang an ausserordentlich profus. Sie dauerte 8 — 10 Tage. Ausser einer Pebris inter- miltens tertiana wurde sie bis zu ihrer Verheirathung von einer Unterlejbsentzündung befallen, in den letzten Jahren vor derselben war sie gesund ; verehelichte sich im 37. Jahre und ging nach Deutschland. Seit dieser Zeit litt sie an heftigen bellenden Hustenanfallen, namentlicli Herbst und Frühjahr ohne Auswurf, mit Trockenheit und Kitzeln im Halse, g^en welchen ihr im 38. Lebensjahre der Gebrauch kalter Seebäder verordnet wurde. Sie zog sich indessen nach den ersten Bädern eine Lungenentzündung zu, die sdinell gehoben wurde, aber eine körperliche Schwäche and A^dfiagening zur Folge hatte, ohne dass der krampfhafte bellende Husten einen anderen Charakter annahm. Bald danach erkrankte sie an einer Unterleibs- entzüadong mit sehr langsamer Reconvakacenz, in welcher noch begriffen «e in ihrem 40. Jahre C^vida worde. Sie gd^ar leicht nach regelmässiger Schwangerschaft, ein aaa^ getragenes, todtes Kind. Das WocheBhelt verlief ohne Stdning; die Lochien waren regdmässig. Den 12. Tag verliesa m das Bett. Sechs Wochen nach der Entbindung stellte sich regelmässig die Periode ein. Einige Monate q>äter eencipirte sie wiederum, abortirte im dritten Monate, und lag- darauf .mr Gebnrtohmi» in B«rlia. 1^7 meiirere Wochen an einer heftigen Mefriiis danieder, worauf tm gleoas, und bb zum 44. Jahre, auMer den- erwähnten Husten- aoBllen gesund war. Angeblich durch Erkältung stellte sich uro diese Zeit, abermals — also zum vierten Male — eine heftige Entzündung der Unterleibsorgane ein, seit .welcher sich die erheblichsten Beschwerden datirten. Die Periode teigte. sich nunmehr dreiwfichenlUch, war noch profuser ^ils froher; es folgte ihr eine übelriechende, serös- eiterige Ab- sandening, die alsbald continuirlich wurde und öfters eme saoguinolenle Beschaffenheit annahm. Der Leib wurde beim Druck in den Regionib. iliac. schmerzhaft; es fanden sich wehenartige Schmerzen im Leibe, Kreuz und d^ Genitalien, lanzinirende, mitten durch den Leib fahrende Stiche, und nahmen letztere mehr und mehr zu. Dabei hatte die Kranke Aber Schwindel, Kopfschmerzen, aufsteigende Hitze, Eiseskälte der Extremitäten, unruhigen Schlaf,' schlechten Geschmack, trocken^ Zunge, viden Durst, Herzklopfen zu klagen. Der Appetit war gut; • Stuhlgang meist diarrhoisch; der Uriu, welcher beim Husten unwillkArlich abfloss, sedimentös, häufig sandig. Als ich die Kranke kennen lernte, war sie sehr sta^k und von blühender Gesichtsfarbe; der Pols gross und weich, massig frequent, die Zunge trocken, aber nicht belegt; die Hakschleimhaut leicht geröthet -und granulirt; die Uvula ge* schwollen; ihre Bnistorgane gesund; der Leib stark auf- getrieben, die Bauchdecken gespannt, äusserst fettreich, durch dirselben nichts Abnormes durchzufühlen; die Inguinaldrüsen bis Erbsengrösse geschwollen, härtlich; die äusseren Genitalien und deren Umgebung stark geröthet; der Introitus vaginae weit; die Scheidenscbleimhaut glatt, mit serösem Secret bedeckt; die Vagioalportion stand schwer beweglich in der mittleren Beckeoapertur und in der Föhningslinie. Die Muttermunds- lippen waren owfangreich, fühlten sich glatt, aber härtlich an; das Orfficiiim rundUeh nach unten und wenig nach hinten gericblet. Durch das Scheidenge wölbe fühlte man eine mi- regelmissige, härtliche, knollige Geschwulsi, die den hinteren Theil des kleinen Beckens ausfüllte und mit denr Uterus, dessen vordere Wandung verdickt war, in Zusammenhang stand Der Fondas uteri konnte 2—3 Zoll oberhalb des Schambogen« f38 ^I- ▼«rbAndlnng^en der Oesdllaehaft durch die Bauchdecken hei gleichzeilig inneriieh und äusseriich angestellter Untersudmng constatirt werden. Die Sonde drang leicht 8 Zoll tief in einer, von der Pfibrtingslinie, nach vorn wenig abweichenden Richtung in das Cavum uteri ohne Schmerzen zu erregen, verursachte indessen eine ziemlich starke Blutung. Im Speculum erschien die Sch^idensclileimhaut geröthet. Die Yaginalportion Kvid, schmutzig röthlich, aber glatt. Der untere Theil des Rectum war von normaler Beschaffenheit. Etwa vom Anus IV2 Zoll entfernt zeigte sich sein Lumen durch die sich hineinwölbende Geschwulst, verengt. Die hintere Wand desselben erschien bSrtlich, und Urat allm&hlig nach oben der vorderen näher, so dass etwa 8 Zoll vom Anus sich eine trichterförmige Strictur ftind, die den Durchtritt des untei-suichenden Fingers nicht gestattete. E& wurden der Kranken Bäder mit Pottasche und Mutter^ lauge verordnet, -innerlich Jodeisen, Krankenheiler Georgen- quelle und Jodkali gegeben, sowie eine Einr^tmg einer Jodkali-Salbe mit Narcoticis auf den Leib gemacht; ferner wiederholentlich Blutegel ad perinaeum applksirt. AnfSnglich schien dies Heilverfahren auf das Befinden der Kranken einen wohlthätigea Einfluss auszuüben, wie auc^ die Schmerzen zu vermindern, wenngleich die Geschwulst tiefer nach unten zwischen hinterer Scheidenwand und Kreuzbein herabwucbs" und die Strictura' recti enger wurde. Etwa vier Wocfien später verschlimmerte sich der Zu- stand. Die Schmerzen nahmen zu und waren namentlich im Os sacrum sehr heftig. Strangurie und Tenesmus , Schlaf- losigkeit, Gardialgien quälten die Kranke fast unausgesetzt. Der Appetit verlor sich. Kopfschmerzen, Schwindel, Be- ängstigungen, Stuhlverstopfungen und unregelmässige profuse Metrorriiagien steltteq siich ein. Entleerungen von -Faeces konnten nur durch die stärksten DrasUca erzielt werden und waren alsdann dunnflössig zuweilen mit federkielstarfcem ge- formten Koth und grossen Mengen festen glasigen Schleims gemiseht Bei den Untersuchungen fand sich das Rectum mehr nach oben konisch verengert, die Mutterniunddippen uicerirt. * Die Kranke wurde hinföllig, konnte das Bett nidit mehr ▼eriassen, magerte aber nicht merkIMi ab. Bei kleinem für Gebortohiilfe in Berlin. 1^9 frequeMleiii Pttlfr, Auftreibiuigan des Leibes ««tirteii ziileUl die SUihliiiisleeruiigeD gäiulich und. waren scbliessUch durch kein Mittel herbeizuführen. Versuche die Mastdarmstrictur durch fiougies zu erweitern missj^ückten und somit starb die Kranke qualvoll unter den Erscheinungen des Heus. Bei der Section,- die '36 Stunden nach dem Tode an- gestellt wurde, zeigte die sehr fette Leiche iivide Flecke im Gesicht und auf dem Rücken. Der Leib war stark auf* getrieben, tympanitisch, die Leistendrüsen bohnengross ge- schwellt. In den Pleurasäcken fand sich sanguinolentes Fiuiduro; an den .Lungen lobuläres Emphysem. Das Herz war gesund. Die Leber überragte den Rippenbogen um IV2 Zoll, war derbe, brüchig, auf dem Durchschnitte dunkelroth, fettig. Die Gallenblase apfi^lgross mit grünlich schleimiger Galle gefüllt; Milz vergrossert mit verdickter KapseJ und brücliigem Parenchym. b den Nieren fand sich keine auffallende Veränderung. Die Mesenterialdrusen geschwellt und namentlich an den unteren Dannpartieen bis zur Grösse einer Wallnuss. Auf dem Durch- schnitte von gmugelblicher Farbe und markiger Beschaffenheit Der Magen wie der ganze Darm durch Gase ausgedehnt, ent- hielten dünnes, hellgelbes kothig riechendes Cootentum. Die Pflorushälfte des Magens und das Duodenuqi zeigten eine schiefergraue Färbung un<) sammetartige Auflockerung der Schleimhaut Im Ueum fänden sich Pe^er'sche Plaques und Solitardrösen geschwellt, die Schleimhaut von flockigem Ausr sehen. Im Dickdarm rundliche oberflächliche Erosionen bei ausgedehnter Hyperämie und Schwellung der Follikel Im oberen Dritttheil des Rectum die Schleimhaut stark geröthet Mehr nach unten verlor sich das Rectum in eine daa hintere kleine Becken vöUig ausfällende harte, knollige Geschwulst Das Lmnen desselben verengte sich nach unten und Uef in eine feine Spitze aus, die dadurch entstand, dass die Wandungen des Rectum sich gleichmässig nach dersdben hin venikkten, ohne dass der Darm an Umfang zugenommen hatte« Am übersichtlichsten wurde dies, — wie die Gestaltung der Geschwulst überhaupt, auf einem von vom. nach hinten durch den Uterus und den Darm geführten Schnitt Die erwähnte nach unten zu laufende Spitze entsprach einer von unten nach, oben gerichteten, breite bei Lebzeiten 190 ^'- VftriiaiiAQDgeii der Oesellucliaft ate. %, constatirten, beide fnirden durch eine etwa P/t Linien lange Brücke getrennt, welche durch den eng aneinander sdiltessenden Zusammentritt der, in dieser Gegend am meisten — und zwar gegen V^ Zoll, yerdickten Mastdarmwaodungen entstand. Es lag somit ein völliger Verschluss des Rectum vor, wenn* gleich die dicht aneinanderliegenden Wandungen nicht mit- einander verwachsen, sondern aneinander gepresst waren. Die Schieimhautfalten des Mastdarmes verstrichen mehr und mehr nach der Yerschliessungsstelle zu, wobei die Innenfläche desselben eine hellere Färbung gewann und wellig höckerig, nirgends Substanzverluste zefgte. Die degenerirten Wandungen gingen oben wie miten allmdlig in die gesunden über, * von aussen fülilten sie sich hart und knollig an, zeigten aber auch hier nirgends Continuitatsstörungen der OberflSbhe. Die vordere Wandung verlor sich in einem Tumor, der zwischen Uterus und Rectum als eine, 1 — ly^ breite Verbindung lag. Die Darmwandung, der Uterusüb6rzug, das Peritonäum und Zwischenzellgewebe waren in diese Geschwulst völlig auf- gegangen, wdche ein gelblichweisses markiges Ansehen hatte und beim Druck heUe Plössigkeit entleerte. Der Uterus, welcher, wie mitgetheilt, betr&chtlich vergrössert gegen 4 ZoH lang war, hatte von^der Oberfläche gesehen, eine wenig prominirend knollige, übrigens von seiner birnenförmigen Gestaltung nicht abweichende Form. Sein oberer Bäuchfellfiberzug war schmutzig livid gefUrbt und glatt; die Innenfläche des Cavum uteri, welches letztere eine Vergrösserung nadi allen Richtungen zeigte, aa einzelnen SteUen der Schleimhaut entblösst, wo selbst sich schmutzig' geflhrbte , seichte Ulcerationen fanden; die Mutter- mundslippen zeigten im Umfange des Orificinm Ulcerationen, welche den innerhalb der Höhle beschriebenen glichen. Von normalem Uterusparenchym war Nichts zu finden, die ganze Substanz vielmehr von markiger Beschafieiriieit und weisslichgelbem Aussehen, wie die übrigen Theile der Neu- bildung. In gleicher Weise wareu die Inguinaldrüsen entartet, Tuben, Ovarien und Blase dagegen frei. Mikroskopisch fand sich die GescUwulst aus nmdfidien geschwänzten oder unregelmässigen Zdlen mit zarten Membranen und grossen Kernen zusammengesetzt Zwisdien diesen lagen Bindegewebszüge, ohne Anordnung zu einem alveolären Gerüste. XII. S€t9iu9, Ueber ein im Winter 1859^1860 etc. 191 Dvcb diesen Vortrag wurde die Frage angeregt« ob der Krehs des Uterus immer zuerst die Vaginalportion ergreife oder auch primär den Körper der Gebärmutter befallen könne. HeiT Wegscheider erinnerte an einen schon früher in der Gesellschafl und ausführlich in Cas^er's Wochenschrift (1851, No. 45) nütgetheilten Fall, wo dies Verhältniss stattfand. Herr Kauffmann hatte ebenfalls eine ältere unverheirathete Dame längere Zeit an einem fötiden Ausfluss aus der Gebär- mutter behandelt und bei der Untersuchung eine völlig gesunde Vaginalportion mit jungfräulichem Orificio vorgefunden. Der endliche tödtliche Ausgang an Carcinoma uteri bewies, dass der Anfang des Uebels im Körper des Uterus stattgefunden hatte. Herr Langenbeck hatte einen Fall von Fibroiden des Uterus beobachtet, welche, nachdem erst die Mamma, dann eine Stelle am Kx>pfe c^urdnoraatös entartet war, ebenfalls krebaig wurden und die Entartung erst später auf die Substans des Uteras übertrugen. XII. Veber ein im Winter 1859—1860 beobachtetes puerperales Erysipelas phl^monodes. Von * Professor IL Retzlas in Stockholm. Das neue Gebärhaus wurde im Monat Mai 1858 geöflbet Sedis Monate waren noch nicht verflossen, als einige FäHe . von Paerperalidiier vorkamen, doch nicht in schneller Reihen- folge. Mit dem Anfange des Jalures 1869 worden indess die Fälle häufiger ond wuchsen nach ond nach heran bis zu 40 Proc von der-Gesammtzahl au^nommener Kmdbetterinnen, flrit einer Mortalitfit von 16 Proc. In den Sommermonaten veAesserte sieh der Gesundheitszustand in der Anstalt, so dass nur 3 Proc. vod ' den aufgenommenen Gebärenden 192 ^il- Betsiug^ Ueber ein im Winter 1869— 1860 erkrankten luaul von diesen starben 6,62 Proc, Hit den kalten Monaten November und December steigerte sieb wieder der Krankheitszustand bis auf 37 Proc^ während indeas die Mortalität sich an die niedrigen Ziffern von 6,9 Proc. hielt im Anfange des folgenden Jahres »1860 war die Witterung sehr mild, die Kälte unbedeutend und wenig Schnee fiel. Die Gebäranstalt war schon am Anfange des neuen Jahres ungemein viel angesprochen, so dass die Zahl der angemeldeten Weiber grösser war, als nach der Einrichtung bestimmt und nach den Materialvorräthen berechnet war. Dieser Zulauf nahm mit jedem Tage zu und dies in dem Grade, dass weder die Zimmer noch das Bettzeug in gehöriger Weise konnten gelüftet werden. Die Folgen dieses Gmstandes zeigten sich bald in dem Erscheinen von rosenarfigcn InÜammationen, obgleich weder solche noch andere hiermit in Verwandtschaft stehende Krankhettsformen während der Zeit in der Stadt vorkamen, oder gar, dass die vorherrschende Constitutio epidemica dazu hinneigte. An den zwei letzten Tagen d^s Monats Februar und zu Anfang des Monats März zeigten sich unter den Wöchnerinnen mehrere Fälle von Erysipelas pblegmonodes an den oberen so wie an den unteren Gliedmaassen. Das Symptomatologische der Krankheit war folgendes: Zu Anfang fand sich ein hefUger Schuttelfrost ein; das nachfolgende Fieber zeigte keine Neigung zum Hervorrufen des Schweisses. Die Kranken kls^ten über heftige Schmefzen im ganzen Körper. Der Unterleib war wenig empfindlich und gar nicht auf- geschwollen. Die Kräfte lagen tief darnieder. Der Puls' war weich und beschleunigt Ueber die ganze Körperfläche war die Empfindlichkeit so gesteigert, dass die leiseste Berührung Schmerzen hervorbrachte, ja sogar, dass die Schwere der tuchenen Bettdecken und des Betttuches. nicht ertragen wurde. Die Kranken konnten nur mit Jusserster Noih die Ajrme uq4 Beine bewegen. Die Zunge, anfangs bel<^i, wurde bald roth, trocken und glänzend. Der Durst sehr gross. Wenig» Stunden nach dem Eintreten des Schüttelfrostes zeigten sich an den. Extremitäten, umschriebene hochcothe harte An- schwellungen über das ganze Glied und gleichzeitig trat eine Diarrhoe ein. Nachdem die erysipelatös-ph)egmonösen An* Schwellungen IQ bis 12 Stunden' angedauert hatten, ward beobaehtetes paerpeimlet SryaipeUs phle^moaodes. 19$ ihre rolhe Fariie ganz dankd und Haulbrand trat ein. Die affieirten ExtremltSten wurden kalt, teigig und gefühllos; di« Sehmerzen hörten auf; der Puls wurde mit jedem Augenblicke schwaeher und konnte mehrere Stunden vor dem Tode nicht gefühlt werden. Sopor trat ein, unter welchem die Kranken Terschieden. Während des ganzen Verlaufs der Krankheit war die Lochialsecretion stinkend und' so ätzend, dass die Schleimhaut der Hulterscheide und der äusseren Geburtstheile excoriirt wurde, ohne aber brandig zu werden. Bei Einigen sah man MOch in den Brösten. « Weder eine individuelle Körperconstitution oder eine foriiergehende Kränkhchkeil oder gar gegenwärtige- Schwäche noch eine längere Dauer der Geburtsarbeit zeigten den ge- TJngslen Eiiifluss auf die Geneigtheit zu dieser Krankheit Bis zu Ende März kamen die ErkrankungsßUe nur im unteren Stocke vor, und zwar in den Zimmern, welche zum Unterrichte der Hebammen angewiesen sind. Keine Wöchnerin, die in ihrem Zimmer allein lag, mit einem Räume ton 2000 Cubikfttss wurde von der Krankheit ergriffen. In die gemeinschafUichen Säle, die eigentlich nur ffir drei Personen bestimmt sind, mit einem Räume von 1150 Cubikfuss filr jede Person, war man zufolge des Zudranges genöthigt, vier Personen zu legen ^ wodurch der fireie Raum beschränkt ward und 806 Cubikfuss nicht Aberstieg. Eine solche Beschränkung, wenn auch während einer kurzen Zeit, vielleicht unschädlich, wird «doch in der Länge nicht so ertragen, vorausgesetzt auch, dass dabei eine voUständige Ventilation ununterbrochen fortgesetzt mrd. In Folge dieser Deberzeugung und weil seit geraumer Zeit cEe Bettai, das Bettzeug und die wollenen Decken fortwährend in Gebrauch waren, ohne gelflftet oder retfigemacfat zu sein, die Zimmeriböden der Scheuerung be« darflen etc., sah ich mich genöthigt, diese Abtheihmg der Gebäranstall ausräumen zu lassen und andere Zimmer (Ür den praktischen Hebammenunterricht anzuweisen. In letzt- genannten Localen kam dann kein KrankheitsfeU von er- wälmter Beschaffenheit vor, wohl aber mitunter einige Fälle von gewöhnlicher Peritonäalform, die Indessen beim Gebrauch unserer alkalisirenden Hetliode und Darreichen von Morphin Moa«t«Mbr.f.GebQrUk. 1861. Bd. XVII.. Hfl. 8. tB 194 XII. Ret9iw, üeb«r ©in im Winter IÖ69-*1860 in Verbindung mit ableitenden Scbröpfköpfen und AnwendMiig von Wasserumschlägen, alle glucklieb endeten. Ich öberliess mich jetzt der frohen Hoffnung, den bösen Gast los zu sein; es war aber leider nur eine kurze Frist eingetreten, denn am 24. April zeigte sich in der anderen Abtheilung, die nur für den ärztlichen Unterricht bestimm.t ist und die bisher verschont gewesen war, ej» Krankbeitsrall. Nach 24 Stunden kam wieder -ein Fall und so kurz darauf noch zwei andere, alle von einem und demselben Charakter Pdit der oben beschriebenen Urankheit Zufolge einer streng durchgefOhc^en Absperrung wurde die fernere Ausbreitung der Epidemie veitütet. Doch wären diese Mittel wahrscheinlich unzulänglich gewesen, wem» nicht zum grossen Glück der starke Zudrang zu der Anstalt zur seihen Zeit plötzlich abgenommen hätte, wodurch es möglich wurde, eine gründliche Reinigung der Zimmer und der ganzen Materialien vorzunehmen* Die Kranken wurden auf folgende Art behandelt Ein Brechmittel wurde bald nach dem Frost- anfaUe gegeben, ehe noch die Zunge eine trockene und glänzende Beschaffenheit angenommen hatte. Darauf sebritit man zum Gebrauch von Chinin, Mineralsäuren und Campher. Um den Durchfall zu beschranken, wurden Klystiere von Stärke und Opium verabreicht und die .Schmerzen mit Dower*s Pulver beschwichtigt. Um die angegriffenen Körper-: theUe wurden Umschläge von SpiriL Camphor. gemacbi, dann und wann auch Bestreichungen mit Tinct Martis ver- sucht Nachdem diese Bdandlungsmethode eine hiulsffigKcbe Zeit ohne glückliche Erfolge fortgesetzt war, sdiritt ich zu^i Gebrauche von Extract Aconiti und Jodkalium, wobei doch die UmsclUäge von Camphfirspiritus beibehalten wurden. In drei Fällen zeigte diese Behandlung gute Folge, indem die phlegmonösen Infarcte eertheilt wurden, kein Brand zum Vorscbeia kam und die Kranken genaseo. In einem vierten Falle kam es allerdings zur Zertheilung der rosenartig^n Anschwellung, der Brand blieb aus, die Kranke aber verschied unter Erscheinungen eines ausgebildeten Typhus. Während des Aufenthalts der Kinder im Gebärhause kam unter ihnen kein einziger Fall von Rose vor, was meia^ Aufmerksamkeit um so viel mehr erregte, als . gewöhnlicher bftobmchtetes paerperales £!ryBip«la8 phlegmoaodes. 195 Weiat, wenn PeerperaUieber aUda herrschen, Rothlauf unter den NeugdBorenen sehr häufig vorkommt. Es ist mir aber spater mitgeibetit worden, dass mehrere Fälle ?on bösartigem Rodiläuf /Unter den Kindern, deren Mütter an der erwähnten Krankheit starben, sicb^ zeigten, nachdem diese in's Findel- baus gebracht waren. Die LeichenöfiTnungen, gewöhnlich 24 Stunden nach dem Tode gemacht, erwiesen Folgendes: In der Bauchhöhle fand man nur zwei Mal kleine Mengen einer graugelben dünnen sero-purulenten Flüssigkeit. Die Eingeweide waren weder unter sich agglutinirt, noch mit plastischen Membranen bedeckt. Das Peritonäum parietale und viscerale zeigte hier und da kleine umschriebene aborescH^nde GefSsshijectionen. Der Dünndarm von Luft er- WMtert; dessen innere Wand mit einem graugelben zähen Schleime bedeckt Unter der Schleimhaut des Dickdarmes sab man in drei Fällen kleine submucöse Blutextravasate. . In den meisten Fällen fand man dünnflüssige, gelbe Fäcal- massen im Colon. Eine croupöse Darmbekleidung, wie Roser m den Dickdärmen von Personen, die an einem Rothlaufe von pyamiscliem Ursprünge gestorben waren, gefunden hat, ww nielk ni keobacblen. Die Gebärmiitter epschien gross •od sobiftir; ihre innere Fläche nil einer ddnnen Schicht VMi einer gelbes rothstreifigen und eüengen stinkenden Ftdeagfeeit bedeckt, die mit Blolklnmpen untermischt war. Naeb dem Abwaschei der Jauchigen FMseigkeit waren die Wände aechgrau. Das Parendarm der Gebärmutter war auf fie Tiefe ron 2 Linien von der Innenfläche, pulpös aufgelockert, mii idaffeoden erweifterten GefäMmündongen. Das Herz schlaff «Mi Maas. DasEnddcardMmpurpttrroth. Die redite Herzkammer ealkielt ein grösseres, die linke ein kleineres Blutcoaguluni. Staute Blttlhypostase mit Oedera der Lmigen. Die Leber aaainiach, zosammengedröckt und märbe. Die Milz grösser ab im NonDalzustaDde und aufgelockert Die Nieren schlaff oad blaaa mit violett gefärbten Pyramiden. Beim Einschneiden in die kranken ExtrenitäleQ floss viel röthliches Serum aus dem iofiltrirteD Zellgewdie,*das übrigens nur sehr wenig von dem Brande der Haat angegriffen war. Die Muekeln bis zur Näie der Knocken wluren dnrchaas breiig erweicht, ohne 13* 196 XII. BtttiM, Ueber ein im WtnUr 1869— ISeO etc. Verfettung. In den Blutgefässen wurden keine Pfropfen ge* funden. Die Venenwände zeigten keine entzändijchen Ver- änderungen und Eiter war weder in dem Venenrohr noch in deren nächster «Umgebung zu Onden. Nur in der Vena spermatica fand man purulente Anhäufungen. Die mikroskopische Untersuchung des Blutes, aus der Vena iliaca und subclavia geholt, erwies farblose Körperchen in ungewöhnlich grosser Menge, Gruppen von farbigen Blut- körperchen, die durch Wasser schnell entfernt wurden, Epilhelialzellen, vielkömige Zellen und Fettkügelchen. Leider wurde die Untersuchung des Rückenmarkes nicht vorgenommen* Kiwiech v. Rotterau hat in seinen Bemerkungen über die Krankheiten der Wöchnerinnen, Prag 1840, p. 243 unter Benennung „ Metastatische Zellgewebs- und HuskelinOammation '' einen Fall angeführt, der in vielen Verhältnissen Aehnlichkeit hat mit den Obenerwähnten. Hier kam die ei7sipelatö3e Anschwellung nur am rechten Arme vor und kein Hautbrand kam zum Vorschein. In dem linken Arme hatten sich be- deutende Eiterheerde gebildet Wenn man genau die Syroptomengruppe der vorerwähnten Krankheit und die Obductionserscheinungen vergleicht, so scheint es sehr zweifelhaft, ob die Krankheit eine Septicoämie oder Pyämie gewesen ist Eratere gebt nämlich gemdniglich ihre Bahn durch ohne Localisation. Der Charakter der letzteren aber spricht sich aus in einer Tendenz zu localen Eiter« bildungen. Hier war allerdings ein deutliches Streben der zymotischen Blutkrankheiten zur Localisation aber ohne Eiter^ bildung; denn als solche kann man doch nicht die Gegen wtft von Eiter in der Gebärmutterhohle und in dem spermatischen Venengeflechte beobachten, weil diese doch eine directe Folge der Schmelzung von Blutgerinnseln und Placentaresten etc. war und deren Verwandlung ui Eiter, der nachher in die erwähnten Venengeflechte übergeführt war. Ich glaube daher« dass es richtiger sei, die von mir beschriebene Krankheit nach Angabe Virchow's Septico* Pyämie zu nennen und dem pyämischen Processe einen septischen Charakter beizulegen, Sttfolge der ichorösen Beschaflenheit der lochialen Absonderungen« Xm. SpSndU, Ueber Perforation a. Kephalothrypsio. ^97 Es {st sebr wahrscheialich, dass die Huskekrweichung cfia Aosgaog gewesen sei einer Inflamination der Muskelfäserb. leb babe zwei Hai vorher eine solche Halacie in den innereb Dambeinrouskehi beobachtet, nach langwieriger und schwerer Geburtsarbeit in Folge von Schieflagen der Kinder und Druck des Kindeskopfes auf einen dieser Musk«ln. In Betreff der sero-sangoinolenten Infiltration des subcutanen Zellgewebes, Usst sich diese Erscheinung durch eine vergrösserte Porosität und Permeabilität der Gefisswünde, in Folge der Stauungeü des kranken Blutes, leicht erklären. Ohne Zweifel wirkte das septische Blut entkräftend, ja lähmend auf das Herz eui. xm. Ueber Perforation und Eephalothrypsie. Zweite Abtheilung. Von Dr. Spöndll, PriyatdoceDt in Zürich. Seit den Beobachtungen über die in Bede stehende Operatioosmethode, welche ich im Maihefle 1860 mitzutheileh die Ehre hatte « ward mir das Gläck, ich möchte eher sagen, Unglück zu Theil, erstere in dem Grade vervielfältigen zu können, dass ich nicht umhin kann, nochmals auf dieses Thema zurückzukommen. Denn kann auch nicht geläugnet werden, dass in- der zvi^eckmässigen Combination beider Yer^ fabrnngsweisen das beste Auskunftsmittel für schwierige Fälfe m ÜBiden die meisten deutschen Geburtdielfer schon seit längerer Zeit übereingekommen seien, so ist doch nicht zu beslretten, dass es noch der Punkte genug gäbe, über welche NcifiQiigsversdiiedenheiten obwalten und wo bloss die Erfahrung, bloss das Material den. richtigen Weg zu zeigen im Slande ist Ob Kaiserschnitt oder Kqphalotlirypsie, ob Zange oder Kopf- zertrommerting, ob manuelle oder instrumentale und welche Bztraeftion? Das sind Fragen, die gewiss nicbt aprioristisdi 198 XUI. 8fS»dU, üeb«r Perforation a. Kophatotaryptn. rieh beantworten lassen, sondern otir aUodfiig durch die Statistik aufgekljtet werden können. Wenn es nun schuft bei leichteren und längst bekminten Operationen, wie-^Zang«, Wendung und ExlractiMi des «nteren Rümpfendes schwer blit, aUgemetn göltige Prinoipien au Tereinbaren, welchen folgend die Indioationenlehre auf in die Asgen springende Weise festgestellt werden könnte, so ist bei den Fallen, ron denen wir sprechen, dies geradezu eine UnraögUchkeit lu nennen. Jeder Fall bildet gewissermaassen ein abgescblossenee Ganzes, ein Bild, welches in verschiedenen und oft wesent- lichen Punkten von allen übrigen Bildern differkt, ODgefthr so, wie eine menschliche Physiognomie zwar immer ähnliche, aber nie eine ganz gleiche finden wird. Dies ist der eine Grund, warum ich die VeröffeTillichung vieler Facta för wunschenswerth halte; es giebt aber noch einen zweiten, ebenso triftigen, darin liegend, dass die noch nicht völlig zum Schweigen gebrachten Angriffe auf den Kephalotbryptor am allerbesten durch Facta zu widerlegen sind. So z. R hat Simpson in der „Medieal times*' den Versuch gemacht, an die Stelle unseres Instrumentes neuerdings ein anderes zu substituiren, wekhem er den Namen „Cranioolast*' beilegt Ich hege eine gi*osse Verehrung vor Simpson, denn er ist unstreitig auf unserem Gebiete die geistreichste und wirksamste Persönlichkeit in Englainl oder vielmehr in Sdiottland. Er huldigt unbedingt dem Fortschritte in einer Wissenschaft, wdche leider in Groasbritannien nicht za den vorgeschrittensten gehört, — aber dies Mal will es mir scheincD, habe Meister Simpson^ ohne es zo wissen, dem obsCetricischen Geiste seines Volkes eine Conceasion gemacht; denn genau betrachtet ist der Craniodast doch nichts anderes als eine modificirte Knochenpincette und unterscheidet sich von den längst be* kannten Instrumenten letzteren Charakters nur dadurch, da« er radikaler und schneUer zu wiriien besthnmt ist und dass er die Schädelknochen weniger ab« als durchbrechen sciL Ich Win nicht untersuchen, oh die Anwendung dieses neuen Instrumentes m der That leichter sei, als die des KephaiXK thryptors, es mag dies- bei Simpson, der mit dem Eop^ sertrummerer nidit besonders vertraut zu sein schenit, ve desseu ausgezeichneter operativer Fertigkeit der Fall. Xllf. J9p9ndli, Uaber Pcpforbtioii u. KepbflloibryiwU. 199 9m IMDiiiig aber glaube ich -beaeimmi aussprachen in dttarfen, dass bei dem grossen Durchschnitte continentaler und nicht eoatinenlaler Geburtshelfer eine solche Operationamethode bnM ttor eben so fiel, awadem ungleich mehr Unglück atiften wflrde, als die Kephalothrypsie. Ich stötze meine Ansieht aimlidi darauf, dase eine gewisse Rohheit bei der Anhand* nähme des Craniociaals nuTerroeidKch ist und es ffir dieselbe mt weniger Technik erfordert, als für die Kopdertrömmerung.
0000134426_593
French-PD-diverse
Public Domain
que le plus fouvent o n n'y employé qu'un feul Vaiflëau, il y en a toujours un autre , qu'on tient prêt à partir au retour du premier, 8c deux ou trois en réferve pour y fuppléer dans les cas d'accident , qui pourroient interrompre le Commerce. Les principaux Galions font égaux , en grandeur, aux VailTeaux de guerre du premier rang , 8c peuvent avoir à bord jufqu'à douze cens hommes. Les autres, quoique fort inférieurs, font des VailTeaux confidérables, d'environ douze cens ronneaux, monrés ordinairement de trois cens cinquante à fix cens hommes , 8c de cinquante pieces de canon. Le Commandant prend le titre de Général, 8c porte l'Erendart royal d'Efpagne au haut du grand mât. Cette Navigation a des règles , ou -, n r '- Caùeah. , , r r in route du C-a- des uiages, qui s obiervent fidèlement. Uon. Le Galion quittant le Port de Cavité vers le milieu de Juillet, s'avance dans la Mer Orientale à la faveur de la Mouflon d'Oueft , qui commence au même temps. Si l'on jette les yeux fur la Carte des Philippines , on jugera que la r o u t e , par l'Embocadero, jufqu'à la pleine M e r , doir être fort i n commode. La fin d'Août arrive quel* que fois , avant que le Galion foit d é gagé des Terres. Alors il porte à l'Eft Tvj 444 "ANSON .' 1 H I S T O I R E G É N É R A L E 74I> vers le N o r d , pour tomber à la haur de crois degrés de laticude & plus, où il trouve les vencs d'Oueft, qui le mènent droit à la Côte de Californie. Les découvertes des Efpagnols , dans cette vafte étendue de M e r , fe réduifent à quelques petites Mes. O n peut ajouter, fur le témoignage de tous leurs Navigateurs, que depuis les Philippines jufqu'à la Côte de Californie , il n e i e rrouve pas un P o r t , ni même u n e Rade commode. Dans tout cet efp a c e , on ne laillè pas tomber une fois l'ancre , depuis qu'on a perdu la terre de vue ( 7 4 ) . Le Voyage ne prenant t e u D E S V O Y A G E S . Lir.'IL 445 ANSON. > 7 < 4 gueres moins de fix mois,& le Galion fe rrouvant chargé de Marchandifes tk de Monde , on eft nécelïairement expofé , , • ,,• ' 1 C " ™» 0 11 '« r Elpagnols fe r e a u douce M (74) Carreri, qui a pu» quinze à Cavité , dans blié fa Navigation de Ma33 la crainte que s'ils en nille à Acapulco, & qui » avoient feulement la lui donne le titre D'en3 3 moitié , ils ne vouluftmieux & d'épouventable 3 3 fent pas retourner aux Voyage,ne raconte tien qui « Philippines pour avoir ne puilîe fervir ici de con3 3 le refte. G'eit que cha£tmation. Soa Journal eft » que Voyage apporre cent peu intéreffant j mais on > » cinquante Se deux cens jr trouve les motifs qui 33 pour cent de profit aux engagent les Efpagnols , « Marchands , neuf pour Mar'hands , Facteurs & » cent aux Fadeurs , & Marelots , à recommencer 33 qu'il eft fort agréable jufqu'à dix fois une route » de retourner chez foi qu'il appelle Prodigieuse , n avec dix fept ou dixhuit quoiqu'ils jurent chaque » mille écus de profit, en fois de n'y revenir jamais. 33 moins d'un an , fans » Ccft que la paye des 33 compter ce qu'on fait „ Matelors eft de trois » pour foi même. Un cens cinquante pièces de 33 Gentilhomme Efpagnol, huit , dont on ne leur 33 qui faifoic le Voyage donne que foixauce33 fans aucun emploi, dit y a manquer deau douce ; mais t i n d u l procurent de trie des Efpagnols y fupplée. O n fçait » que leur ufage, dans la Mer du Sud , n'eft pas de garder, dans des futailles , l'eau qu'ils ont à b o r d , mais dans des vaifleaux de terre , aflez femblables aux grandes Jarres dans lefquelles on met fouvent l'huile en Europe. Le Galion de Manille parr chargé d'une provifion d'eau, beaucoup plus grande que celle qu'on ponrroit loger entre les Ponts; ôc les Jarres , qui la contiennent, font fufpendues de tous côtés aux Haubans ôc aux Etais. Cette méthode fait ça'„ à Carreri qu'il y gagnoir trente mille pièces de huit, feulement pour 2, les commillions. Lir. IL 447 gner beaucoup de place. Les Jarres ' 7 4 i ­ d'ailleurs ,• font plus maniables, plus fa, ciles à ranger, &c moins fujettes à couler que les Futailles. Mais les plus abon­ dantes provifions durant à peine trois m o i s , on n'a pas d'autre reifource que la pluie, qu'on trouve allez régulière­ ment entre les trente & quarante de­ grés de latitude Septentrionale. Pour la recueillir, on prend à bord une gran­ de quanriré de narres, qu'on place de biais le long des tribords , aulfi ­ tôt qu'il commence à pleuvoir. Ces nar­ res s'étendent d'un bout du Vaitfeau à l'autre. Le côté le plus bas eft appuyé fur un large bambou f e n d u , qui fert de rigole pour conduire l'eau dans les Jarres. Ce fecours, quoique dépendant du hafard , n'a jamais manqué aux Ef­ pagnols 5 & fouvent ils remplirent plu­ îieurs fois leurs J a r r e s , dans le cours d'un Voyage ( 7 5 ) . Autres diffi. L fcorbut leur caufe plus d'em­ e cultés que, r ., , 1 „ barras par les terribles ravages , & par jette fur leur l difficulté d'y remédier. L'Auteur eft ?gnorance. p f ¿¿ q l'extrême longueur de cer­ te Navigation , qui eft la première cau­ fe des Maladies , vient de la pareife & de l'ignorance des Marins Efpagnols. l'Auteur re­ a ev aг U e iJïïlJsT^^ A n f ° ' n T ° m e 1 1 1 ' W H? & O n d i r , par exemple , qu'ils ne ten­ dent jamais leur grande voile pendant la nuit, & qu'ils amènent fouvent tou­ tes leurs voiles fans néceffité. Ils crai­ gnent plus un vent trop fort , quoi­ que favorable , que les inconvéniens d'une longue Navigation. O n ordonne exprelfément aux Capiraines de faire la rraverfée, fous la latitude de tren­ te degrés, s'il eft polîible , & d'éviter foigneufement d'avancer, vers le Nord plus qu'il n'eft néceiïaire pour trouver le vent d'Oueft ­, c'eft une reftriction qui ne s'accorde pas avec les princi­ pes des Anglois, parce qu'on ne peut gueres douter qu'en avançant plus vers le N o r d , on ne trouvâr les venrs d'Oueft plus conftans & plus forts qu'à trente degrés de latitude. Tout leur Plan d e Navigation ne paroît pas moins défec­ tueux à l'Auteur. Si le Galion , dit­il , au lieu de porter d'abord à l'Eft­Nord­ Eft jufqu'à la laritude de trois degrés &c un peu plus, faifoit route au Nord­ Eft , & même plus au N o r d , jufqu'à quarante ou quarante­cinq degrés, il feroir aidé , dans uneparrie de ce cours , par les vents alifés , & le Voyage en aevieudroir plus prompt de la moirié. Il ferait bien­tôt porté fur les Côtes de Californie par les vents d'Oueft s y 448 A NSON. »74*. H I S T O I R E GÉNÉRALE DES V O Y A G E S . Liy. 11. 449 ' &c tous les inoonveniens fe réduiraient à ceux qui font caufés par une Metplus rude & par un vent plus fort. En 1 7 1 1 , un Vaiffeau François, fuivanr la roure que l'Auteur propofe , fit la traverfée des Côtes de la Chine , à la Vallée de Vandeta , dans le Mexique, en moins de cinquante jours ( 7 6 ) . signes Lorfque Galion efi: aflëz avancé Signes qui qui annoncent la j -N d trouver les vents v e r s e Qï p o m terre au Ga, .. r,. A I • 1 Han. d O u e i t , il garde la même latitude , & dirige fon cours vers les Côtes de Californie. Après avoir couru quatrevingr feize degrés de longitude , à compter du Cap Efpititu Sancto , on trouve ordinairement la Mer couverte d'une hetbe flottante, que les Efpagnols nomment Porra ( 7 7 ). Cette vue efr pour eux un ligne certain (78) qu'ils (7<f) Pages 351 & précédenres. (77) L'Auteur juge , par le nom , que c'eii une efpece de Poreau marin. C :r reri dir que ces herbes ont jufqu'à vingt-cinq palmes de longueur ; qu'elles foat grofles comme le bras vers la racine , 6c comme le petit doigt vers le haur ; qu'elles fonr creufes en dedans , comme les oignons en graine , aufquels la racine relTimblc veis l'exrrêmité. Du côté le plus g r o s , (jlles ont de longues feuilles , en façon d'algue , larges de deux doigrs , longue de fix palmes, toutes d'égale longueur , & de couleur jaunâtre. C'ei't une des plus grandes herbes que l'Auteur eût jamais vues. Il en goûta II n'y trouva aucun mauvais goût. Les Matelots la mangent, confire au vinaigre. Ubi fupr.ï, page 54'-(73) C'eft unufage, entre lesMatelots du Galion, de former alors une Cour badine , nommée la ("««' font allez près de la Californie. Auflit ô r , enronnant le Te Deum , comme s'ils étoient à la fin-du travail &c du danger, ils portent au Sud ; & ne cherchant la vue de la Côte qu'après être parvenus à une latitude beaucoup moins avancée , ils en donnent pour raifort, qu'en cet endroit la Mer voifine de la Californie eft embarraflëe des Ifles &z de Bas-fonds , entre lefquels il ne veulent pas s'engager. Ce n'eft qu'en approchant de l'extrémité Méridionale de cette prefqu'Ifle, qu'ils ofent chetcher la T e r r e , autant pour prendre langue de fçavoir des Habitans s'il n'y a pas d'Ennemis qui croifent dans ces Mets , que pour vérifier leur Eftime à la vue des Signes , pour juger des Officiers du Vairfèau. On leur permer certe réjouilTance, après un horrible Voyage , de plus de trois mille lieues, & lorfqu'ils commencenc à fe croire au Porr, parce qu'il ne leur en relie plus à faire que fept cens. 45ô ANSON. l 7 4 1 - H I S T O I R E GÉNÉRALE du Cap Saint Lucas. Ils y tirent des rafraîchiffemens d'une Colonie' Indienc o i e n i e ine , formée dans l'intérieur de ce C a p , Cap SaintP les Millionnaires Jéfuites, qui aiLucas, d'où H [ e certains feux pour leur fervir de ri a r u r n tiredesrafrai> «hiffemcns. T » A j i- ngnaux ( 7 9 ) . L Auteur regarde ce heu, comme la meilleure Croifiere qu'on puiffe choifir pour les furprendre. Delà , ils doivenr porter fur le Cap de Corientes, pour ranger enfuite la Côte jufqu'àu Port d'Acapulco. c e qu'il fait En arrivant au t e r m e , le Galion eft &f mps'q u"ilamarré à deux arbres, fur le rivage Y paffe. Occidental •, & la Ville, qui n'eft qu'un défert dans d'autre remps, fe remplit de Marchands de toutes les Provinces du Mexique. Aufli-tôt que la Cargaifon eft déchargée & vendue , on fe hâte de charger l'argent , avec les Marchandifes deftinées pour Manille , & les provifions néceffaires. On perd d'autant moins de temps , que par des ordres exprès le Galion doit être forri du Port avant le premier d'Avril. Sa partie la plus confidérable, pour le retour , confine en argent. Le refte eft C e ( 7 9 ) Cette Colonie culfe mettte en réputation a lîve l'Agii-uhure & r les Mexique. C'cft e Marquis Arts mc-Jianiques, Elle a de Valero , qui a fourni planté des vignes , dont le aux premiers frais de cet Evin approche ce ni Je Ma tablilTement. Voyage d'An«!ere £c qui commence à [on, v.bi fnjirà , [>age 5 ; 4. ! D É S V O Y A G E S . Lif. II. 453? compofé de Cochenille , de Confitures ANS©». de l'Amérique Efpagnoie , de Mercerie & de Bijoux de l'Europe pour les femmes de Manille, de Vins d'Efpag n e , de Tinto ou de feul Vin d'Andaiouiie, pour la célébration de la Meffe. Cette Cargaifon prenant peu de place, on monte la Batterie d'en-bas > qui demeure à fond de calle en venant de Manille. L'Equipage eft augmenté d'un bon nombre de Marelors, & d'une ou deux Compagnies d'Infanterie,deftinées à recruter les Garnifons des Philippines. Il s'y joint toujours pluiieurs Palfàgers •, de forre qu'au r e t o u r , le Galion fe rrouve ordinairement monté de fix cens hommes ( 8 0 ) . O n s'efforce de gagner d'abord la son retour à latitude de treize ou quarorze dégrés , * d'où l'on continue de faire voile, dans ce parallèle, jufqu'à la vue de l'Ifle de Guam , une des Marianes. Les infttuctions avertiffent foigneufement de prendre garde au bas-fonds de Saint Barthélémy & de l'Ifle de Gafparico. U n autre avis, qu'on donne au Galion , pour empêcher qu'il ne dépaffe dans l'obfcurité, les Ifles Marianes , c'eft que pendant tout le mois de Juin i l a M w u l f c (80) Ibid. , pages jifr 8c précédentes. 45 A NSON. , 7 4 1 HISTOIRE GÉNÉRALE eft ordonné , aux Efpagnols de Guarô " & de R o t a , d'entretenir pendant toutes les nuits un feu allumé fur quelque hauteur. P R É C A U T I O N S L'Ifle de Guarrt eft gardée par une ^ R E N D R E Garnifon Efpagnole (SI), dans la vue d'affluer un lieu de relâche au Galion. Cependant la Rade y eft fi mauvaife, qu'il ne s'y arrêre pas plus de deux jours. Après y avoir pris de l'eau Se des rafraîchiffemens, il en part pour gouverner directement vers le Cap Efpiritu Sanéto , dans l'Ifle de Samal. ïl doit obferver les fignaux de ce C a p , comme ceux de Catandumas , de Batufan , de Birriborongo , Se de l'Ifle de Batan. Tous ces lieux ont des Sentinelles , avec ordre d'allumer un feu lorfqu'ils l'apperçoivent. Si le Général, après avoir vû manquer lé premier feu , en voit allumer quatre autres , ou plus de quatre , il peut conclure qu'il y a des Ennemis dans ces Parages •, & fon devoir l'oblige de faire mettre à terre, pour s'informer de la force de l'Ennemi, Se de tout ce qu'il peut redouter. Il doit fe régler fur les ' avis qu'il reçoit. Se relâcher dans quelque Port fur. S'il eft découverr dans d o i t D E S V O Y A G E S . Liy. II. 455 Vafile qu'il choifit , Se s'il crainr d'y ANSONT" être attaqué, il doit envoyer le tréfor ' 7 4 1 . â t e r r e , débarquer l'Artillerie pour fa défenfe , Se donner avis de fa Situation au Gouverneur de ManiLc. Mais fi , depuis le premier feu , il remarque que les Sentinelles n'en allument que deux , il peut s'aflurer qu'il ne lui refte rien à craindre , Se continuer fa route jufqu'à Cavité , qui eft le Port de Manille (82). Les efpérancçs de l'Efcadre n'avoient V A I N EA T T E N T E fait que changer d'objet , mais elles S ^ fembloient demander d'autrçs mefures, depuis qu'on avoit appris par le récit des Prifonniers , qu'on éroit informé dans Acapulco de la ruine de P a y t a , Se que cette nouvelle avoit fait augmenter les Fortifications de la P l a c e , Se mettre une Garde dans l'Ifle qui effc à l'embouchure du Port. Cependant on apprit auffi, que cette Garde avoit été retirée deux jours avant l'arrivée de la Chaloupe ; d'où l'on conclut , non-feulement que l'Efcadre n'avoit pas encore été découverte , mais que l'Ennemi ne la croyoit plus dans ces M e r s , & que depuis la prife de Payta , il fe flattoic qu'elle avoit pris une DSSAN LOIS MARLNEÏ^' ' D D E F F U S ' IADEF « P«ON D E SI F L A ; (8i) Voyage D'Anfon , Tome I I I , page 5J4, 454 A NSON. H I S T O I R E G E N É R A L E CÏSVOYAGÏS. Liy. II. 455 I741 " autre route. O n tira tant d'encouragement de ces dernières idées , que s'étant approché jufqu'à la vue des Montagnes, qui fe nomment les Mammelles , au-detfus d'Acapulco, on s'y mit dans une polîtion, qui ne laiifoit point à craindre que le Galion pût échapper, O n y demeura jufqu'au 15 de Mars. U n e fi longue attente n'auroit pas rebuté les Anglois, s'ils n'étoient retombés dans le befoin d'eau, M . Anibn M. Anfon , défefpéré de ce contren t furprenr^ ps délibéra s'il n'entreprendroit ¿reAcapulco. ^ f p i Acapulco : mais, m j u r r e n c r e lorfqu'il examina férieufement ce deffein , il y trouva un obftacle infurmontable. Les Prifonniers , qu'il interrogea fur les vents q u i régnent près de la C ô t e , l'alTurerent qu'à une médiocre diftance du rivage, on avoir un calme rout plat pendant la plus grande partie de la nuit , & que vers le matin il s'élevoit toujours un vent de Terre. Ainfr le projet de mettre le foir à la voile , pour arriver dans le cours de la n u i t , devant la Place , devenoit une entreprife impoiîible ( S 3 ) . 1! cil forcé Les Anglois fe feraient épargné de de rcau à ^ impatiences & d'inutiles rai» ChC raorte es Chcquetan, ( 8 3 ) Ibidem, pages 1S1 & pr.écédentt£. fonnernens , s'ils avoient pu fçavoir , AHSON. comme ils le feurent dans la fuite , que -* l'Ennemi avoir reconnu qu'ils étoient fur la Côte , ôç qu'il avoit mis un Embargo fur le Galion jufqu'à l'année fuivanteMais demeurant toujours perfuadés qu'ils n'étoient pas découverts, ce ne fut que la néceifité de leur fituation , qui leur fit prendre le parti de chercher de l'eau. Ils réfolurent de fe rendre au Port de Seguataneio, par-ce qu'il étoic le moins éloigné. Les Chaloupes , qu'ils avoient envoyées >our reconnaître l'Aiguade , revinrent e 5 d'Avril, après avoir découvert de l'eau excellente environ fept milles à l'Oueft des Rochers de Seguataneio, O n jugea , par les deferiptions , que ce devoit être le Port que Dampier nomme Chequetan. M. Anfon. renvoya les Chaloupes pour le fonder , & s'y rendit, à leur retour , après avoir appris que c'étoit une Rade , où l'Efcadre pouvoit être fans danger. L'Auteur croit en devoir une defDefcrïptïon cription exacte. Le P o r t , ou la R a d e de Chequetan, eft à dix-fept degrés trente-fix minutes de latitude Septentrionale , & à ttente lieues d'Acapulco , du côté de l'Oueft. Dans l'étendue de dix-huit lieues, à compter d'A- f d e c c P o i t 45^ ~ANSON. l H I S T O I R E G É N É R A L E capulco , on trouve un rivage fablon*74 n e u x , fur lequel les vagues fe brifent avec tant de violence, qu'il eftimpoffïble d'y aborder. Cependant le fond de la Mer y eft fi n e t , que dans la belle faifon les Vaiiîèaux peuvent mouiller fûrement à un mille ou deux du eôtcàl'oueft rivage. Le Pays eft affez bon. Il paroît 4'Aca ulco. P b b i DES V O Y A G E S. L i r . II. 457 1 7 4 1 - ; p , a n t é ^ r e m p U d e V i U a g e s. & fur quelques éminences , on voir des T o u r s , q u i fervent appatemment d'Echauguettes. Cette Perfpettive n'a rien que d'agréable. Elle eft bornée , à quelques lieues du rivage , par une chaîne de Montagnes , q u i s'étend fort loin à droire & à gauche d'Acapulco. Les Anglois furent furpris feulement , que dans un efpace de dix-huit lieues de Pays, le plus peuplé de toutes ces C ô t e s , on n'apperçoive p a s , le long du rivage, une feule Barque, n i le moindre C a n o t , pour le Commerce ou pour la Pêche. Cinq milles au-delà, & toujours à l'Oueft, on trouve u n Mondrain, qui fe préfente d'abord comme une Ifle : trois milles plus loin , à l'Oueft , on voit un Rocher blanc affez remarquable , à deux cables du rivage , dans une Baye d'environ neuf lieues d'ouverture. Sa Pointe Occidentale forme une Montagne , qui fe nomme Petaplan. C'eft propreANSON. ment une prefqu'Ifle, jointe au C o n tinent par une Langue de terre-baffe ^"""f & étroite , couverte de broffailles &c ¥' ' de petits rochers. Ici commence la Baye 4 de Seguaraneio , qui s'étend fort loin à l'Oueft de celle de Petaplan, & d o n t celle-ci n'eft qu'une partie. A l'entrée de cette B a y e , & à quelque diftance . de la Montagne , on découvre un amas de Rochers , blanchis des excrémens 'I de divers Oifeaux. Quatre de ces R o I chers, qui font plus gros que les auI très, &c qui ont allez l'apparence d'u% ne Croix, s'appellent les Moines blancs. j . Ils font à l'Oueft , vers le Nord d e . . P e t a p l a n ; & fept milles à l e u r O u e f t , on entre dans le Port de C h e q u e t a n , qui eft encore mieux marqué par un gros R o c h e r , à un mille & demi d e fon entrée , au Sud. demi Quart à ; l'Oueft ( 9 4 ). d c e eta w 1 1 e tr c ne ; Si l'on côtoie la Terre d'aflèz p r è s , DiffiçutéV il eft impoflîble de ne pas reconnoître é^METIA le Port de Chequetan à toutes ces mar" = cheques. La Côte eft fans danger, depuis le milieu d'Octobre jufqu'àu commencernent de May ; quoique dans le refP o d q u e t a n - (94) L'Auteur joint ici diverfes Cartes , qui rç& f réfentent la Baye , le Porc 6c l'Aiguade. Toms, XLI t J£ 458 1 H I S T O I R E S E N E R À I ! ANSON. te de l'année elle foie expofée à des tourbillons violens, à des pluies abondantes , Se à des vents impétueux de toutes les pointes du Compas. Ceux qui fe tiendroient à une diftance considérable de la Côte , n'auroienr pas d'autre moyen de trouver ce Port , que par fa latitude. Le dedans du Pays a tant de Montagnes, élevées les unes âu-deflus des autres, qu'on ne diftingue rien par les vues prifes d'un peu loin en Mer. Chaque point de vue découvre de nouvelles Montagnes, & donne des afpeéts fi différens, qu'il n'y a poinr de Plan qu'on puifle compter d e reconnoître. L'entrée du Port n'a qu'un demi mille de largeur. Les deux Pointes qui la forment, Se qui représentent deux Rochers prefque perpendiculaires , font ,• l'une à l'égard de l'aut r e , Sud-Eft & Nord-Ouèft. Le Port «ft environné de hautes Montagnes, couvertes d'arbres, excepté vers l'Oueft. Son entrée elt fûre , de quelque côté qu'on veuille pafler du Rocher , qui £ft Situé vis-à-vis de fon embouchure. Hors du P o r t , le fond eft de gravier, mêlé de pierres ; mais , dans l'inrérieur, il eft de vafe molle. La feule précaution néceffaire , en y mouillant, regarde les groftes houles que la Mer y poulfe D E S VOYAGES. LIV. II. 4 5 9 quelquefois. Les Anglois obferverent ANSON. "~ que la marée eft de cinq pieds, & qu'el* le court à peu près Eft Se Oueft. L'Aiguade ne leur parut qu'un grand situation gç Etang, fans décharge, Se Séparé de la f Aiguade. Mer par le rivage. Il eft rempli par une fource, qui fort de terre un demi mille plus loin dans le Pays. L'eau en eft un peu faumache, Surtout du côté de la Mer ; car , plus on avance vers la fource, plus elle eft douce Se fraîche. Cette différence obligea les Anglois de remonter le plus haut qu'il fut poflîble , pour remplir leurs tonneaux , Se ne leur caufa pas peu d'embarras. Ils employèrent des Pirogues , qui tiroient forr peu d'eau , Se de très petites futailles , qu'ils rapportoient par la même voie , jufqu'au rivage , où elles éroient vuidées dans les grandes. , ? 4 1 Le Pays voifin , fur-tout celui qu'on (¡90 V>Mpage J?P. 4<JO H I S T O I R E ~ ANSOÎ). GÉNÉRALE DES VOYAGES. IÎV . II. 461 1 a décrie, avoir paru fi peuplé & fi. bien '74icultivé, que les Anglois s'étoient flattés courte inuJ ' i ¿Q i e s . Le Chef d'Efcae n c r e r S v vl tile des An, giois dans fays voifm. t-i • 1 i le dre envoya un Parti de quarante hombien armés, pour découvrir quelque Village , & former quelque liaifon avec les Habitans. C e détachement revint le foir , après avoir lait environ dix milles , dans un chemin inconnu , où il trouvoit fouvent du crorin de cheval 8c de mule. A cinq milles du P o r r , le chemin fe divife entre des Montagnes ; 8c de ces deux routes, l'une meneàl'Eft , 8c l'autre vers l'Oueft. Le malheur des Anglois leur fit prendre la toute de l'Eft, qui les conduifit dans u n e grande Savanne , où ils ne ceflerent j)as de marcher, fans y appercevoir aucune marque de culture. La chaleur 8c la foif les forcèrent enfin de rerourner vers TEfcadre : mais ils attachèrent à quelques piques , qu'ils plantèrent fur la route , des billets en langue Efpagnole, par lefqucls ils invitoient les Habitans à leur apporter des vivres , qu'ils promertoient de payer fidèlement. Cette précaution fut inutile, & perfonne ne parut pendant le féjour qu'ils firent dans le Port. Ils apprirent , dans la fuite , qu'en tournant à l'Oueft , ils auraient biea-tôt découvert une Ville m e s x .ou un Bourg, qui n'eft éloigné que de ANS'ONT"' deux milles de l'endroit où le chemin fe ^i divife. L'inutilité de leurs tentatives , R ^ î c h i f pour engager les Habitans à leur fourpy/r, ' nir des vivres , les réduific aux rafraîchiflemens qu'ils purent trouver aux ¿11virons du Port. Ils y prirent des Mail quereaux , des Brèmes , des Mulets, des Soles 8c des Homars. C'eft le feul endroit de ces Mers où ils péchèrent des Torpilles, poiflon p l a t , qui reflemble ; beaucoup à la Raie , & qui tire fon nom d'une propriété finguliere,qu'il a dans la Mer du Sud , comme dans celles d'Afrique 8c de l'Inde. L'Auteur éprouva, |i ^ que non-feulemenr ceux qui marchent'» Mer d« déifias reflentent un véritable engour' diffement par tout le corps, fur tout dans la partie qui a touché immédiatement à la Torpille , mais qu'en appuyant une canne fur le corps de ce poiffon , le bras qui la foutient demeura ^ quelque temps engourdi, 8c qu'il eu | l ' refte quelque chofe jufqu'au lende"îf* main. 1 , > i J T o r p ! e s S a i Si On ce fia ici de voir des Tortues , & A U T R E S Ailles Chaloupes étoient obligées d'en aller ' j "I (?<0 PAGE 410« 46Z I N S H I S T O I R E G É N É R A L E CES VOYAGES. Llr II. $<S$ ON. prendre devant la Baye de Petaplan. Lis Terre ne fournit gueres d'autres Anim a u x ' q u e des Lézards, qu'on y trouve en grand nombre , & que la plupart des Matelots mangeoient avec goût. Les Alligators y font petits. Tous les jours> au m a t i n , on appercevoit, fur le fable de l'Aiguade, les traces d'un grand nombre de Tigres : mais loin d'être auffi dangereux que dans l'Afrique & l'Afie , ils n'attaquent prefque jamais les hommes. Les Faifans , qui font en abondance , & de plufieurs efpeces, fur la C ô t e , offriroienr unereflource toujours préfente, ii leur chair n etoit feche &C fans goût. On y v o i t , d'ailleurs , une grande variété d'autres Oifeaux de moindre groff e u r , particulièrement des Perroquets, que les Anglois tuoient fouvent pour s'en nourrir. Les fruirs, les herbages & les racines y font rares & de peu d'ufage. A peine les Bois fourniffoient-ils allez de Limons pour l'ufage journalier de l'Efcadre , avec quelque Papas, & certe efpece de Prune qui p o r t e , à la Jamaïque , le nom de Prune à Cochon. La feule herbe, qui mérite d'être nommée , eft la Morjeline. Elle croît furies bords des ruilfeaux ; & fon amertume n'empêche pas les Matelots d'en manger avidement, parce qu'elle paffe pour u n Antifcorbiuique. M . Anfon , toujours atreàu; à i'infANSOH. truction de ceux qui fréquenteroient ces ' . . 1 ^ „ Obfeivauons Mers après l u i , remarqua , vers 1 Uuelt porede du P o r t , un Pays alfez étendu , qui pachequetan. roiffoit double , avec une efpece d'ouverrure , à laquelle il trouva quelque apparence d'un fécond Port. Il ne manqua point d'y envoyer une Chaloupe : mais on trouva que les deux Montagnes , qui forment ce Pays double, font jointes par une Vallée , & ne laiffenc entr'elles ni Port ni Rade. En général , quoique le Port de Chequetan ne fourniffè que des rafraîchiffemens médiocres , fa connoiflance eft importante pour la Navigation. Ceft le feul mouillage fur, dans une grande étendue d e Côtes ; à l'exception d'Acapulco , q u i eft occupé par les Efpagnols, On y peur faire tranquillement de l'eau &c du bois , malgré les Habirans du Pays. Les Bois, qui l'environnent, n'ont qu'un chemin é r r o i t , du Rivage aux Terres voifines, Se ce Paffage peut être gardé par un Parti peu considérable, contre toutes les forces que les Efpagnols du Pays feroient capables de raflembler ( 9 7 ) . La faifon ne permertant plus aux tes Anglais Anglois de nourrir une vaine e f p é r a n ^ V 1 V vr f l i r l c b r e r e u r s *• <?7) Pages 414 IC ptécédearcs. l pelles ce renvoyen: leur» *»f«rnj*r*. Viv> 4t)4 ANSON. 7 4 1 , HISTOIRE GÉNÉRALE DES VOYAGES. LIV. IL 465 ANSON. I 7 ce , ils ne penferent qu'à fe délivrer dè ' tout ce qui pouvoit retarder leur Navigation jufqu a la Chine. Les trois Bâtimens Efpagnols, qu'ils avoient équipés , furent facrifiés à la fureté du Centurion Se du Glocefter. M . Anfon prit le parti de les brûler, pour faire pafler leurs Equipages Se leurs agrets fur ces deux Vaifleaux, qui n'auroient pu réfifter , fans ce fecours, aux Mers oraeufes de la Chine , où il comptoir 'arriver vers le changemenr des Mouffons. Il fe détermina aufli à renvoyer tous fes Prifonniers, à la réferve des -Mulârres, Se de quelques Nègres des plus vigoureux. Le Brett, qui s'avança , pour cette Commifllcri , jufqu'â l'entrée du Porr d'Acapulco , en prit occafion de lever le Plan de cette Entrée Se de la Côte voifine ( 9 8 ) . FaiiîTesidées £ q i t ] Côte d'Amérique, le n u t t a n a desAngîois, tn pertant n. • j 6 de M a i , 1 Elcadre le promettoit de ro-ar ia cmf j j a v e r f é e , du Mexique aux C ô tes Orientales de l'Ane , en moins de deux mois. Elle porta au Sud-Oueft , dans le deflein de tomber fous les vents a r e atr alifés , qui viennent du Nord-Efl", Se qui , fui vaut les Journaux des Navigateurs précédens , doivent fe faire fentir à la diftance de foixante-dix ou quatre-vingt lieues de Terre. Outre cette raifon de. gouverner au Sud , les Anglois vouloient gagner le treize ou quatorzième degré de latitude du Nord , qui eft le parallèle qu'on fuit otdinairement dans la Mer du S u d , Se celui dans lequel on eft perfuadé qu'il y a le moins de danger. Mais ils tinrent cette route l'efpace de fept Semaines, avant que de renoncer le vent qu'ils cherchoient ; Se n'en ayant trouvé que de contraires ou de variables , ils n'avoient fait que le quart du chemin vers les Côtes les plus Orientales de l'Aile , lorfque , Suivant leurs eSpérances, ils y dévoient être arrivés dans cet intervalle. D'ailleurs , les deux Vaifleaux Souffraient déjà beaucoup du feorbut , Se des divers accidens, qui menaçoient la charpente. C'eft un Sentiment général, _ i _ j 1 1 J> * " j *" (98) L'Auteur le donne. Ce Plan repréfeute la Painte Occidentale de l'Entrée , qui fe nomme ElGriffe, a feize degrés quarantecinq minutes de latitude; anelile , qui redoit, à l'égard du Spectateur , au Nord vers l'Eft , à trois lieues de didance , & qui fait la Pointe Occidenre de I'Enttée ; le Port Marquis ; Sierra-di-Brea , un Rocher blanc dans le Port , 8c des Echauguetes. q u u n e grande abondance d eau Se de provifions fraîches , eft un puiffanr préfervatif contre le Scorbut : ces deux Secours ne manquoient point aux Anglois. Ils y joignoient d'autres précautions , qui confiftoienr à nett-.yer .fpigneufement leurs Vaifleaux , Se à Yv Hs reconjmeiicentbicnd o u c e t o ; àfoufrar* 4<fcî ANSONT " i7 H I S T O I R E GÉNÉRALE * ' z ©hfervations fut le fcorbut. tenir les écoutilles & les fabords ouverts, CependantJesMalades ne s'enportoient pas mieux. On avoit fuppofé , en doublant le Cap de Horn , que la malignité du mal étoit venue de la rigueur du temps •, mais un Climat chaud n'y changea rien. L'Aureur en conclut, que lorfque le fcorbut a pris une certaine force, il ne peut être guéri qu'à rerre, j • > J J'/T. J DES VOYAGES. LlV. IL 467 I 7 4 i ou du moins a peu de dittance du rivage. » On n'acquérera jamais, dir-il, » une connoiffance exacte de fa caufe^ » mais on conçoir aifément , qu'il faut » un renouvellemenr d'air frais pour » entretenir la vie des Animaux , & » que cet air , fans perdre fon élafti* » cité, ni aucune de fes propriétés con» n u e s , peut être tellement altéré par » les vapeurs qui s'élèvent de l'Océan , » qu'il en devienne moins propre à con« ferver la vie des Animaux rerreirres , « à moins qu'elles ne foient corrigées » par une forte d'exalaifon , que la terre » feule eft capable de fournir ( 9 9 ). (99) A n f m , T o m e I I I , part de Londres. Il fit donpages 9 & 10. Dans le ner un de ces deux remètrflle état des deux Equides , ou tous deux , à dipages , M. Anfon fit une verfes perfonnes, dans tous expérience fott remarquales degrés de la maladie. ble La réputation des PiUn de ceux qui en firent lules 8c des Gouttes de M. l'elfai , commença à faiWatd , l'avoit porré à gner violemment du nez ; j'en fournit ayant fon dé& quoiqu'il fût prefque à Les malheurs communs , n'empêcheANSO*. rent pas d'obferver, qu'il fe pafîoir rarement trois jours de fuire, fans qu'on , oifeaux vît une grande quantité d'Oifeaux, fi contre " e n gne certain que ces Mers contiennent piei = « un plus grand nombre d'Ifles, ou du moins de Rochers, qu'on en a découverr jufqu'à préfenr. La plupart de ces Oifeaux étoient de ceux qui font leur féjour à terre-, & la manière, comme le tems de leur arrivée, ne laiffoit pas dourer qu'ils ne vinflènt le matin de quelque endroit peu éloigné, & qu'ils n'y retournaffent le foir. L'heure de leur paffage, & celle de leur retour , qui varioient par degrés , firenr juger que certe différence ne pouvoit venir que du plus ou moins d'éloignemenc de leur retraite. On eut le vent alifé, fans la moinQ M c r l'agonie , il fe trouva bientôc mieux ïnfuite , il fe forriiia, quoiqu'avec lenteur ; & c quinze jours après, il acheva de fe rérablir à terre. D'autres fentirentun foulïgement,qui dura peu; & d'autres ne fureur pas foulages. Mais les uns Se les autres ne fe trouvèrent pas plus mal , que s'ils n'euiîènt rien pris du tout. Ce qu'il y a de plus iîngu lier, c'eft que le remède agiffbit à proportion des forces du Malade. La plûparr de ceux qui ne pouvoientplusvivre que deux ou trois jours, n'en étoient pas atFe£tés. Dans les a u tres , il opéroit par la tranfpjration ou par l e v o miiTemenr, ou comme une douae purgation. Dans ceux qui avoieut encore toutes leurs forces, il produifoir les mêmes effets avec violence. Ibid, pagis 1 1 & u. Yvj 4^8 ANSO-J. 1 7 4 1 , H I S T O I R E G É N É R A L E DES VOYAGES. Lit. II. 46c) ANSON. , 7 4 1 drc variation , depuis la fin de J u i n ^ jufques vers celle de Juillet. Mais le 16 M. A n f o n f e d e ce m o i s , torique fuivant l'Eftime, Détermine a brûler le Glo o n ,, 11 e t o l c a s a i u s 1 • 1• P p l de trois cens lieues «efter. des Mes Marianes (1) , il tourna malheureufement à l'Oueft. Ce fâcheux contre-temps , qui éloignoit l'alîurance d e fortir de peine , èc plufieurs difgraces irréparables, qui arrivèrent au Glocefter, firenr prendre la réfolution de détruire ce Vaifieau par le feu. Elle fut exécutée, après des peines infinies , pour faire palTer fur le Centurion l'argent & les vivres j feules nchelles qu'on pût fauver d'un malheureux Bâtiment qui étoit prêt à s'enfoncer , & dont l'Equipage ne confiftoit plus qu'en foixante dix-fept H o m m e s , d i x h u i t Garçons, &deux Prifbnniets. Les Malades , qui étoient au nombre de foixante dix , furent tranfportés dans la Chaloupe , avec tout le foin qu'on devoit à leur foiblelfe. Cependant, il en mourut trois ou quatre , dans le temps qu'on les hiffoit pour les faire entres dans le Centurion, •ïxtrêmité où Ce renfort ne laiiToit pas d'être exiombe" à "on "êmement avantageux , pour l'unique iour. Vaifieau qui reftoit de l'Efcadre. Mais ( i ) L'Auteur leur dorme toujours Jeur ancien ROJO , d'Ifles des LAílOStí., il avoit été détourné de fon cours , & porté fort loin au Nord , par la tempère qui avoit été fi fatale au Glocefter. Le Courant , qui avoit la même direction , ayant aufîi contribué à le faire avancer , il fe trouvoit à dix-fept degrés & un quart de latitude au N o r d , au lieu de treize & demi , qui étoit le parallèle qu'il devoir fuivre pour arriver à l'líle de Guam. Les Pilotes , ignoraient à quelle diftance ils étoient du Méridien des Illes Marianes &c croiant n'en êtte pas loin, ils appréhendoient que fans s'en être apperçus , le Courant ne les eût portés fous le vent de ces Illes. I 7 4 1 H I S T O I R E G E N E R A L E défefpéroienr de fermer entièrement s ' avant qu'pn eût mouillé dans un Port* ilsdécouvrenc Au milieu de ces allarmes, le ven deux des mes é „ 4 f î c h î r au Nord Eft » c c a t e ra Marianes. i l s abordent àiTfledeTiman. n & la direction du Courant ayant tourné au Sud , on eut la fatisfaótion d'appercevoir , le lendemain à la pointe du j o u r , deux Ifles du côté de l'Oueft. La plus proche , comme on l'apprit dans la fuite, étoit celle d'Anatacan , dont on ne fe crut qu'à quinze lieues. Elle parut montueufe , de de médiocre grandeur. L'autre étoit celle de Serigan , qui avoir l'apparence d'un Rocher , plutôt que d'un endroit où l'on pût mouiller. La Chaloupe , qu'on y envoya, ne revint que pour confirmer cette opinion. Un vent de t e r r e , n'ayant pas permis de s'approcher d'Anatacan , on perdit cette Ifle de vue le 16 d'Août ; mais le matin du jour fuivant, on découvrit celles de Saypan , de Tinian > & d'Agnigan. M . Anfon , fit gouververs Tinian , qui elt enrre les deux e r „ •{ autres. Comme il n ignoroit pas que les Efpagnols avoient une Garnifon à G u a m , il prit diverfes précautions pour fa fûreré. L'impatience de recevoir quelque information, fur les propriétés de P i l l e , lui fir arborer le Pavillon Efpag n o l , dans l'efpoir que les Inlklaireç. A , B . Côh</ui art-itu.fof . 0 . J). Cs/v ijtu ivt<ecu<r /e -vmfE.E . O . II. Cadre ijuitfetv/tJ tlurnème cète 1 , IhA's du nulieu du. (itdtv t>ule JFfatw/fuve . K.X.. Ve/il Canot au />ou( i/eee Cadre. , 31..N.P. CU_ JDt'Utc />/ut<r, /un de/a.pr.rut', l.'tu/n/e CaJre . YL.S.I /<z/idie/>/<iree au eèle <lu prej jrnur ous Je uenlpour iémpee/ier de puis erpar ù-/i< Fil Ju c vte } PLAN D U P R O S ?&3 DES VOYAGES. LIT. II. 471 , 7 4 1 PROS V U PAR E A Z<» Cadre •rcndie/i/'iiero/i PROTJE e( /epetil -th/iot LJUU eevti'mi.te,eist.du cote cjiu eo'f-'o'oiur ie i>e/il~ < /u /0/ ' BATIMENT L E G E R D E S I S L E S DES TARONS T.XT.N. XIV.
2378097_1
Wikipedia
CC-By-SA
Takuya Muro () adalah pemain sepak bola asal Jepang. Karier Takuya Muro pernah bermain untuk Okinawa Karuyushi FC, Bay Olympic, Tokyo Verdy, Sagan Tosu dan Oita Trinita. Pranala luar Pemain sepak bola Jepang.
github_open_source_100_1_114
Github OpenSource
Various open source
{% macro form(meteoFranceType) %} <h2><i class="fas fa-cloud-sun"></i> {{ 'Météo' | trans}}</h2> <div class="form-group row"> <div class="col-sm-5 col-form-label"> {{ form_label(meteoFranceType.station) }} </div> <div class="col-sm-7"> {{ form_widget(meteoFranceType.station) }} {{ form_help(meteoFranceType.station) }} {{ form_errors(meteoFranceType.station) }} </div> </div> {% endmacro %}
report02boargoog_14
US-PD-Books
Public Domain
Oct. 30,1897 ia.(^7.90 13.66 ,^^^^^^1 ^m L'Argent loGlbBcm. Sea 0,. 680 TOO Enlarg'Dt. Noi'.soastr: 14,5.'S6.18 13.95 ^^^^^^1 ■ L'Argent to Glbaon. See. 10.. 680 700 Enlariif'nt. Dec. 28.185*7 15,665.68 ia9& ^H^^^l Lr'Argent to Gibson. Sec. 11 680 70O|Hnlarsr nt. Peb.ll,lH»8 17,108^ 13.95 ^vB^^I L' Argent to Gibson, Sec. 12.. Delhi Section 1 680 aiOlEnittrgni Feb, i5.18iMS 16,600.48 18.115 y^5^w 680 NOOlEnlarp'nt April 4,1 WW Mar 1L18WS 1.*^ 496.73 18.00 aj07 7r Rifle Point. Section 8. ... . ,„. 680 4,200 KularK'nt. ;t5;864.16 9*00 Morvlllc. ,,...,,...., 710 4,W2 Enlargnl 4,(i5IEnlarg'iat, Dec 13 Mr? 28,385.76 25,758.06 8.50 9.90 2,408 51 ^5§0 6fi Morvllt© to Greens 712 Dec.20.1«l7 E St* ranzfi Section 5......,, 7 1.") SOOEnlargnt. Apr. i;i808 16,111.61 10.50 3,141 7» Espei-»n3ta, Section 7 ....... 7JS 800 Enlftrg'nt. Feb. 28, 1808 15,0^.88 19.90 %9an Esperanjui, Section 8 715 700 EniftrKnl Feb. 5,l8fl« 14,294 <W 19,90 S.MS6B Eiippranza. Section 9 716 SOClEnlargnt, Apr. 4.1808 15.061.88 19.90 2.997 21 P J T OF BUAKD OF STATE ENGi^KEBS, STATEMENT Xo. li^.-^Con tinned. NAMJB OF LEVEE g 5 I I I Pi B B o I Lower Tensas Dtst— Conrd. imr-ism. 715 EaperiiDzu, Section IL EspcrftDza, Section H | 715 Eaperanza, i^ritiwn 20. , Esperanxa, Section 21 15 71o Espeniniii. Seition2» t 7t5j Esperanztt, Soctloiii 24 AHhli-y to Fairview* Svc. L Ashley to Puirvlew, S4?c, 7. Ajihlf y to Falr\'lcw. Sec. 8. Falrvit'W .,..,, ., GUM8Co€k. AtchafftlATtt District 1.1, See. 3. id, See. a 1 Sec. il, -wd,See. i uisvi'A, Sec. 'J K*cconrei lo i^otiRWd. Sec* U Riiceouroi to JvoDi^'wd, Sec. 4 RiifCcourci lo Lotij^w d, Sec, '* Rficcourci lo Lonjyw'd. Sec, 1:0' Raccourci lo Tjon>rWa, See U , Raccourci to Lonjfw'd. Sec.l2 RAccuurcl to LoD}?^w'd, See. 13 Ruccourci to Longw'd. See.N Poche lo M organza. Sec. I Pocht' to Morf^ai^itiL, Sec. 2 Pfuhf to Morg^anza, Sec, 5 mm. ^1e. ' e. Section 1 ,ir-e, Section 2 .., ■ - ^.-.p*ie. Sflctiou a . Coup«f», eelioii 4-^. ■A to Lakeland, see, 3. \iki9Hii la Lakeland. Sec. ^.. k& to Lakeland. Sec 4.. Hk{% to Lakelaadi St^c, 5,. valU. ,..,-.. lid*? }i»v ...,..-.... ' •■' Wlldwood. Seel WildWdXJd, Sec- 21 VVildivood. Sec.H uu Ui Wlldwood, SecJ+ ftle to Allendale, Sec. 1 Hie to Allendf!*^ S*-p i 7li 8'rj' 7tt5 728. 725; 7«J 7«?7 707, 7ii7 767 7h;| 78^' 7f«t! 7.S.1I 7H3 7.SJ 7m T.t{ 7<V 78:t! 7s: 787 7h7 1\H 711; 7\»: 7«7 7»7 800EnliirRDt. mitJEnlHrg'nt. l,0<XVEnlQrg*nt. 7fJ7|Enlaig'Dt. 1.21K> i:nlarK'nt l,;itn) i:nhirg tit £,:«»■ Enhvr^rit jEnlariT ftt. .^OQOEnlarg'nt 3,2»U 1,062 Enlarg'nt, Xcw New lllEvaD Hall 1 883' it^^llBDlarg nt .>.30O:EiilHri.- ni 0,100 EtiliirK' nt 4/.MMs!EEihiri^ nl 4^l,EQhirK'nt. 2,00(»EBh\fgnt. j.fiOi)>.idiirk-'nt. 2,<J<HI Hnlar^''ui. 2,m) En]urt:-ni. 2AXJ<i Ktilarg'ni 2,<)iX) Knlnrff'nT 2,0 HI Eiihirw'nt 2,(m:i0 Knliirp ni 1,S1J Kiilarg nt :),:40i) EnlarK nt. h;W t'^inhir^'' nt ;^M2 KnlarR nt. :t,lM:: Kntiirgni. l.,H<>3 EnhirK'nt l,0tK> Kiiluri.' ni 2,400 Enlar^ nl. Enlarir'&t. EjslRrg'nt, Enlai^'nt. Enlarg'nl. Enlarg*nt, Bslargnt, Ealttrg'tJi „ Enlarg nt. .VWOEnlar^nt. »,Wi) Enlarg nt H.200 Enh*rg*nt iy«15 fclrjlarg'nt 2.20<) Kultirtrnt, 2,h)0 Enlarg ni. '2 IM Knlarg nt 2;mk> fc:ol!irg in 2,2l)t) KnUrg nt 1.400 Enlarg'nt. 9^W^ Enlarg'nt. 2,475 4.1200 4,'JOO 4.70t> 5,800 4J27 3,HO0 4.4fl<l Jhq. 17,1898 Apr.ll,lWI» Aprll.lWm Mar 18. 1 WW FebJ«,lN08 iMar.t.H.lSim ;Jiin,24,lKM8 'C.21,lft97 Dec.21.1Sl*7 FeKriJ»>H Apr.n,l^«W INCH,2H,16WJ |Sep. |,Vlf«>fl July27J8Mi [July 2jr (July 27,18^6 lOet lf?,lHWI ;Ocl. 1«,1K!NI XoV.28.1KJktJ( Jan IMHW7I il't'l3.iai>iS)7i ;N%jv.:i0.1h1Mi Nov.30.lW»tl| UecJd.lS^Ml Ih eJHlHlMS Nov.^.MMj NTovJ-jSlKi Dec. 2JMHi Miir.iajS^I7| Mur.ia.lHtt7 Sep.'iLMHlHl Sep. 2 lH9r5i Aug2r>J8Wll Aug 2.Tt,1^9»ii JulV-^JHJWi! July 2, l>i5WSi Dec 2?. IS'" Sep. 1!*,):- net, ».l^ Julv22.1>- J II I V 22. 1 HI K Sov 2,kSiM. Oct. 8,lHi44t Aug. Jt,lM%I Sep, Itl 18N)i Sep Its, ISJlfi. .TuneU*.|K<¥J| Junel1l.lHi>ir JunclUjmWi July :\,im[\ ia»74&Q5 14(»5 54 H,7?W).00 15,0S2 r^-i injm 85 lti,2:tl.40 l.i^Wli) Oil 18,00*111 U.JJ«4.W H7J8.2SI 44^11*114 laooi 10.00 IfJ.OO i:t.70 11.70 1,170 1:1.70 KMlfl loorj 0.24 10.24 2tK«0 (k7Qll.8fl 12.00 26.8S»^ H.ii ^.534.01 aifi 25.32(i54 8,4.7 'm.imM 8,4j> laim(W aoo lJl,;wip< 1^.00 15,701.27 HIKI 18,2t>10 A.m l(Vi"j2 12 8.00 0, M:iH8 0.00 10 l<i;LM 0.00 H,7l0..t0 aoo 12,:»7H.y!j ROO iia.ir»..'»2 tJ.OCJ :!0 rjiW.^i-'i 10.1K) 25> :»8«1.H1 12.0t» i;{:di.s:t 11.00 27.072. so fi.W liiHW.21) l;i.5() i;*4iXi27 114W M8Sii.07 s*.oi:» I R 024.84 H.rjO 2t.i:i;W.72 7,7,1 2i»J>K«.07 7ja 27,00f1.27 7.78 J7HtiA4 7.73 ■':'""' y."), B.4h K.4,> ; lO.fiO ■< ■ . i-i 10.1)0 J , : .|,-;.h lO.IJO J 1,- Ji. J7 10.00 ,-iif,ilM|.OS It 00 20/2SL.'Jl 0.00 20,i7aO(J o.vw 20,J4l.i^> tf.OO 20,i*8i».41 o.uo 1U.S5KIJ9 O.IM) 20^376.40 W.HO rnoe»70 a.JO 2,011 18 2 TiJO tW 2,7tl8 88 1,200 40 2.001) »1 2.288 M 2,23*1 Oil i.rjoo 00 l.HOO m 1,320 13 8»2 76 8.MI2 i)8 810 82 2,224 08 KEPORT OF HOARD OF STATE £INGIN££1£S. STATEMENT No. 12.— a^utinued. NAME OF LE\^E s * 1 s 0 i ? s Ji 8 2 •g y <& a o T,^ F* a, Po&wiLiLrtriifti nist— OomVdL 18071806. Tinp* ciiDoe Whluhali. ...... Lafourche District. Ti u»d3S.. I&iectiuu^ dti, ^7, 38 nod 39. .. 1l« P1w«» ., .,. - ,U} -. ..,,.., Section 1 V'i»it.'*>ur AitJjr, JSeiitioii 2, Stur to Kllloim, St-ction 1 ... Slur to KUloaa. SeotJon 2 . ,. Astiion » Lone su>r.. --...., *- Pft1rfi"i'i ^'"'tirto I F»ir '.n2 .... ...... Coli ^n Section l., D»v*a v.. .-V...V Star Section 2 II, 12, 13 ,,, Jl 22. 28 il, 2a.20. , liotiNocour ...,., White Rooe Liike Borpoe District. 18«liHiW7. Sl«Qglit«rbou»a extensioti. Boy . ,.. >....., issa mi mi MO am im MM fm 8dd 887 m mi m'i m> mi H02 sou BS2 mi VHI MflO l,4»8 1J17 2 0*« 1.526 l,.itu l/AN I 242 1,1172 ltT22 1,5W 4,M«I 5Aki 2,^00 0.746 5.173 5.22W 4.277 4,212 :t.7Wt 4.100 4,1(>0 3,1K)0 3,nao 2,&44 8.227 ti0» AMi ft,CCil> 4.4CI7 a,2K!V 1.«I7 Enlarg'nl Enlarg'Qt Entat^*tii Kniurff'nt ICiiljir^' nt Knlurjir'nl Enlttr^r'ni Enlursr'nl EnlurK'nt Enlurji-'tit I- ■/. ■" ■ f 1-. . , . .. l-.riliiru:'ikt Enlur^'rit EnlHTg at New New...... New Enlarg'nt Enlurg'jit Enlnrg'nt, Enlarg'nt EnlktrK'nt Enlarg'ul Enlarg'nt Enlargnt Eahirg Dl. b^Qlurg'nt. iKnliirjf'nt lEnUrg nt. EnJurg'nt Enlarg nl Eularjr'Dt. Knlarg'nt 'Enlarg'nt, |iRnl»rg*nt Enlarp'nt iEuhiritr'al Eiilarg'nl Ove. 27,197 Fotj.lOjSS*' Uic\2ll im*7 'iav !.*T.!H'r7 DtH*. 20JKH7 h*.-b.lO,lHS*H| Ff b m IH!»K Apr. «.1K!IH AllK' 7.l8t»7| Auk lft.l»*W7 Aug.'i(t,]097 .\ug.2tf4S97 Nov.2R,l«t» MurJ8,lH?l7 jMar.iMMrr' Mur.24jK;iTI Mur. fi.l>i1*7 Mtin 8.l«>7 ,Iuly22,lKi*fi Jul.V 6JSHCJ , Aug.27JWiMi !Jtt0\21.i«f7 Nov.l7.IJ<ll^^ !oct. \A,\m\ lOet. Vi,mHl Mur. ri,i»r; Oct. HAmi !l>ec.2H,18f»H IScD. iWjHiMi Dec. 4,1806 Enlarg'nr Aug. 12,1807 Enlurg'nt Aug. 12,Kssi7 Knlttrg'nl 'Aug 12J«5>7 Enlurgnt Aug.iai«17 Enlarg nt.lOct. 1M,1S97 2,3W Enlarg'nt. Nov J8,18Wl 4,2fia56 ft.58Q Enlarg^nt. Mifcr.l2.t«87 9,SI>L4I 15,7A6»t$ 19,407.W 17,15H2H 3M>KH.t>l 21,HH3.tl« i<i,ii«H,;!..i J.VJ>2<t7 I4.72.''ifl*i| 18,t*lM.HK| 11 (Urtl J7| 12 40<i.7T| ll,474.-iS lU,o7aK7 S,7H2.Jt«i 2l.1>fNJ.(« 22,4*"kU(1 2,W.77 II. 574.425 l;i.lW4r| I;{.,ViI!.:m> 2lJHMni lajfis m 12,fH0.ll 25.JW7.Ui i2.;vtMi 17,<iVl.M2 i6ji7..r> ii»,:T(io.!« 20.im7H 14,14:J..^7 27.i;y.4i ^J,IJ77.CX> 30.tlHJ>.HM| 23,tf7H €0 12,«lfi3.«7 13..'t7« 00 l:t,8tl6.W7 14,406.^7 »,527,77 13,00 17.00 n.Ofi lOJKi ioin< lO.tnf 10 rn» IO-J»H lO.lKt 10. J HI lotni lO.W 14 00 H.15 7.H2 940 8.45 ..I 10- PO ti?tfi 11, HI I J0.70 I0.7U 10.70 10.7(1 10.70 »,8ll 14.00 18.50 S;<08 84 2.523 02 ft.foh.% 07 2,801 :io t(Jl4 21 l..yt7 02 2iMX1 l« i.riiH ;t"j l.i:iD iH I,2Ki 77 I, WIT HO l.JMEJ 50 1,2111 06 1J«2 07 \m m •Ml 5 20 1.7HIJ m 1,777 70 l,«M 00 23rj M 1J44 71 1,22U :« 1.2IH 88 2,087 >4i U22y 17 2/jtH 71 1.918 42 1.222 71 1,74<J 56 1.5IM m l.tCM 58 l.titfl K2 1.006 24 l..ii:t m 2.854 44 3,315 91 3,077 88 i.a4t»4d 1,2M 25 L424 70 »43 3> 506 40 L19N 48 ^H fciTATK OF LOUISIANA, ^ 1 ■ ^^^P STATEMENT No. 12.— C'ontiiiued. 1 •• a i g 6 ^ 1 5 (3 1 a 5 I* 1 NAMB OF LEVEE 9 Z3 4 B i9 o ^ 1 § s a U 1 ^ 1 n 1 IP 1 5 Luke Borfrne DlsL— Ckjot'd. Beliilr. ,., wo 4,57S Enlarft'nt. Mar. 8.1807 7A3ft7t» n.40 i 96181 Falr^iew No. 2 ». WMi 2 071 Knlnrjr nt. AugJI,l«»<» 10 842.»4 11.25 1.219 71 Fftlrvk'wNaa ♦...,♦. W»7 l»200 Eiilurff nt. Jan-2.->:i8J*7 rj.rt.Trv4« 11 40 mil Bonscjour ..,« W7 4m KnUrR'nt. Dec 2><.IHRri fnoM Vi,QO tCfl Mousecour. -. WW i;»7!Knltirrnt. Auff,27JmW ,U7'I.71 ILOO asssi St. Sophie Xo Harlem.,.. um 1.3U0 Eniartr nt Mar. 0 1S07 2.15170 ll.Tij mu HftTlom. ... itm 'A.^Ki Enlargut Mar. ti,l807 JV,24i*88 1L76 sun 18fi7 1S9H. ^- Story lo Crtennrvon, Svc. L mr^ IJHt^ ' r' ---'"t Mur.2»,lSl»^ •vrrr.'iri 14.« LttHOi ^^^^K Story In rai'tinri on, Set'. 2. ,. mn 4,-S>> 1. Ma^.la^l^'- L'-V" • '..'<•'» 14.46 3,01611 ^^^^B Slory to CaenJirvcjii. St'c5. jV,. JJTT IM" ' Fub. 2 iH'r 7 '-■'! !li7 12^ «HIS ^^^^™ Story to Cuennrvon^ Sec, «.. «77 'i.l'io.r.ninri' ill Apr. l.mn^ niNjT.Ot^ 12..T0 i.^aitt ^F SLCiftir ,. im EQjarg nt part compileUd. Oct. MijmT lft.0ftl.2?i 11.40 L715^ 1 Gruenwood - . ,, ,.....,... my Knlarjfiit. EularKOt llJH(J.ii5 lO,JlCJi.l7 1L40 11.10 Le5i« i^ai ^oocllawn ...,..«,..,. 1 BiiriLtarlA Dimrlci. 1 ismim^ I Bnislard to Bolle Chanse, I .. 981 10,32* E&larff^nt. Oct Sl.lfiOfl 15.609. 50 UL75 S4U»ii Bruslard to Belle Ctiasse. S. 9f& 8,03S]EPihirg'nl. Ovc,lil8JMi USWJS ia25 ^tmm 1 Concora , , , ..,..,.. .'>,<7SjKnlivr^''nt ,'i,0iriit|ETi3ark''m. Jan. 27;lSir7 UMK7,02 H.l(:}21 23 00 1100 l^SL 7S4S CedftrGrove ,.. OakvllJe im 4,:M4lEi^iihir^ nt. Nov. IS J sort UK 111 m n.oo ums! ■ OakvlUe .+»4*.... MUG •J.WK) Hular^^ ni Mur. fiAm7 tJee.l«J»»rt a. 50 »tii>i Jesuitti Bead .,^.*..,,.^ Dobnrd.,.. WftJ l,i!:i3lN>w .... Dvc. IHJHIW lA ■>■■■- M - ■ ro l/i06 51 P Topeoa... ** ,*.... 006 low 1003 3,m8lEnl!*rg'Dt 'i^liOiilEnlars^'nt :Uil2iEtiliir«'m Jun. 2:i,l«»7 NovnjKltH O^L I'lJSIMi \ - : I00« H/itlilKnlurt' Dt. l>ec.i!0,l!N&m 1 ' rf) LOIS M L 1004 1007 l(H}8 7tW Enhir^:'nt. IJJMilEnlsirk' Ll 12,000 Enlur^i'nt IXi'.miSlHl NovJ7.1i«>H Oct. 2.18ft*( 1 1 :«> l:j tt^i til H 116 m 4,ia> 91 Ptc Celesit^p Pte. CelfHie to WoodUnd . , w Woodland. 101 0 ItMO l,?t5ct Enlur^j nt. 2/2rn Enlar^ ni Oct. 21J8JW 7.842,46 ii.ao lS.4-> La%4 8t Diamond — .*...,.., w FriendH' Storo ..♦. 1(»N 1,113: Enlarif'm. Dec. ttJ INlirt e/J!*t.2l} 11 »> 711 <» Bnrthelemy ... . » 1015 Lliai EnlarR'nt. Dt^c.l(i»l««H 4,Hfi07 it.do 4i«»(U 1 Bartbelemy to Rlceland lOt.V 4,300 Enlarg nt. Dec.tMJSOO ^Jim,'I7 1L08 LOWitt 1 lS0f7 18iW. 1 Belle Chnsao to St. Ann. mi S.fi82 Enlarg'nt. Aug. 7,1SD7 8.208.77 mm i^^i St. Ann to Conteusion . , . — vm «,t»57 EnUrgnt. Aug. 7aa»7 e,200.07 1H.0I> mru ' Bftllay to Orange Farm— ' St^eilonl , , 1022 2,m\ Sew.. .... FeD.12,l8BB i&.mM 11^ L7l!0ii4S Set'ti<>n2.-..- .» 102;J 2,4*l3 Enliirgnt. Ff!ti.l2,]»19 fl's** a.^ 1^297 0« Section 6...,.,.... 1022 l.fllO New.. .... Apr.llJSdR 1A342.48 UJSi 2,1m Si 8ectlon7 10-22 tl,}00 New Apr.ll.l»»8 yi.08i.lM 14.35 M46 6i 1 66 STATE OF LOUISIANA. APPENDED A. STATEMENT Approximate quantity and cost of levee work in the several Levee from April 20, 1896, to April 20, 1898, by the DistricU, BY WHOM DONE MILES OF LOCALITY s > 1 a s a c Arkansas— Desha and CMcot Counties (Tensas Basin -l Levee District.. (United States .... Totals. District (District 'o.i4 31.39 014 :54.42 Louisiana— Tensas Basin Levee District 0.65 0 8^) 1.04 2.48 2.11 46.84 Fifth Louisiana Levee District -Estate (United States.... Totals. ( District 8.iS> 45.75 5.63 100.98 6.40 1.31 52.11 Atchafalaya Basin Levee District ■< State M (United States .... Totals. f District Estate (United States .... Totals (District < State 2><.53 7.71 8L.59 Pontchartrain Levee District 0.25 0.27 0.99 11. 40 l.ii 24.10 1.51 87 01 Lafourche Basin Levee District - 11.01 1.66 0.23 12.S2 2.28 (united States .... Totals .%.17 12.90 4977 Orleans Levee District 1.05 ■ 22 91 (District 1.44 0.42 l.'i9 Lake Borgne Basin Levee District Estate ( United States 3.06 9.40 Totals 1.86 14.71 KEPOKT OF BOARD OF 8TATE ENGINEEBS. 67 No. 13. SUMMARY ACCORDING TO DISTRICTS- Districts of Louisiana and in Desha and Chicot Counties, Arkansas^ State and United States, as shown in foregoing statements. Cubic YardM 3 ft < 1 REMARKS lfl.P7 1453 1 ta^ I'OMt includes ^4&*2fi, for work not |jnkl for by lb I' cuble yard. hmjB& IhM 174^1H Tfi d&,m ftIS >^« 'M 1L«7 14^ 359, 4W 1Q 70.1*15 41 S44.r)7H 51. 4,.3TS,2fil UM Wti,mi ^ 1471,717 12(9 ILTM 31«,1H2 71 «K7tg}l2 1W,B72 J£i ^jm,2m 12.«J a»,7W B8 mm 17.&4 tt,7H -Hll i:mMi 12M 1^ 007 iS _ 1MI.7VH m ilJW) 00 %m%im moo ^L,iJ73 1« 7t&,m ao.a7 144^247 fl4 No ULt»u]jkted HtatemGQt. mm tot^esi 1147 I3J2 ia43 144»l m t7.aie £1 m^m. mils 38,287 9ft 68 STATE OF IjOUISIANA. APPENDIX A. STAMEMENT BY WHOM DONE MILES OP IXXJALITY c o 6 o CB Buras Levee Distrlot (District -Estate (United States... Totals State 035 LOT 1.13 2.66 0.47 3.15 3.13 Caddo Levee District 8.11 6.23 Stat« t Distrlot Bossier Levee District 5.79 6.05 Red River, Atoliafalaya and Bayou Boeuf Levee District. 5.46 2.02 4 17 "i State 6.56 Totals. 7.48 10 73 RECAPITULATION. Districts 27.65 18.73 4.60 157.1M State 3.S.05 United States 174 89 Totals.; 50.»8 388 .S8 REPORT OF BOARD OF STATE ENGINEERS. 69 No. 13.— ContM. SUMMAEY ACCORDmO TO DISTRICTS. u >* o O a §•2 I? p < 8 REMARKS 34,921 48,209 64,851 13.96 1^49 12.98 f 4.86109 6,021 40 8,418 45 147.981 13.04 19,304 &I 291.879 10.25 29,926 82 363,955 10.19 37.130 99 233,239 282,719 11.02 9.96 25.717 28 28,212 19 515,958 10.45 53,929 4ft 6,863.839 2,508,281 6,169,068 f 1,001,785 75 297,396 77 816,159 38 lo&ll,188 S 2,115,341 00 70 8TATB OF LOUISIANA APPENDIX A. STATEMENT Approximate quantity and cost of levee work in the several Levee from April 20, 1896, to April 20, 1898, by the Districts, STREAM LOCALITY BY WHOM DONE MILES Work on Mississippi River in Arkansas.. Tensas Basin- Totals .... District United States Work on Mississippi River in Louisiana- Red River. ;. Atchafalaya River.. Bayou Lafourche. Fifth Louisiana. ▲tohafaliyft Buin... Pontchar train... Orleans Lake Borgne.. Buras.. Lafourche Basin. District State United States... District State United States... District State United States . .. District i District ■{State f United States.... (District ^ State (United Stales..., I District estate / United States... Totals , .1 (Caddo ' State. ^Bossier i State. (R. R., A. &B. B...I State.. Totals ( Atchifftlaya B&iin . . . . , District. JR.R.,A.&B.B...,]gJ|trlct. Totals I Ateh&fahya Buin.... I Lafourche Basin.. Totals J District. 1 State.... j District. I State... 0.14 0 14 1.01 248 2.11 1.58 QM 0.25 027 0.99 1.05 1.44 0.42 0..35 1.67 1.13 1.24, 0.84 0.23 17.97 .3.11 5.79 1.81 10.71 1.15 6'2i 1.36 372 0..38 9.77 0.82 14.09 3.03 31.39 »4.42 46.84 SJ» 45.75 31.14 093 28..>5 11.46 1.45 24.10 22.91 1.59 3.(j6 9.46 2.66 0.47 7.47 282.00 6.28 6.05 4.48 16.76 17.04 6.61 4.85 228 1.3.74 REPORT OF BOARD OF STATE ENGINEERS. 71 No. 14. SUMMABY ACCOEDIFG TO STEEAMS. Districte of Louisiana, and in Desha and Chicot Counties, Arkansas, State and United States, as shown in foregoing statements. 00 2 REMARKS ^ o 3 OB 9 o o ^ 120,«5 127,234 52 W«.«« 147,084 24 1.067.333 ♦174,318 76 1,807,196 1239,450 40 601,201 70,615 41 2,363.8a5 344,676 61 1,.«K),464 215,216 49 324.250 40,918 19 1,171.717 187,872 25 2H7,192 50.S90 83 136,:ta 22.902 36 STo/jOO 94,714 30 700.»>5 144,347 94 58.585 6,636 87 101,051 14,191 60 140,852 17,509 61 :«,921 4,864 69 48,209 6,0-21 40 W,8.'>1 8.418 45 312,079 65.995 76 14S,615 20.806 10 6ftj.216 66,984 12 lU 77,020 $1,560,642 17 291.879 $29,926 82 86:i955 87,130 99 211,680 19,784 47 867.514 $86,842 28 308,918 137,906 09 17,007 2,085 73 71.039 8,427 72 :i06.9^ ♦47.669 54 488,498 168,760 13 45,394 5.787 78 1,08.5^980 128.408 19 160,776 20,968 99 l,780,tM8 •218,935 04 72 STATE OF LOUISIANA APPENDIX A. STATEMENT No. 14.— Con- LOCALITY BY WHOM DONE MILES STREAM > 1 a o 1 * a Bayou Des Glaizes RR., A.&B. B... Tensas. District 5.46 8.57 OuAOtaita Rl Vflr. District a65 o.$s RI On the Mississippi Riv On the Mississippi Riv On the Red River ^CAPITULATION, er (in Arkansas) .... 0.M 17.97 10.71 Ld6 i4.ee 5.46 0.66 34.12 •r (in Louisiana). . .. 282.00 16.76 On the Atchafaiaya Rii On the Bayou Lafouro On the Bayou Des Glal On the Ouachita River Totals. ^er 17.W be ia74 xes 8J?7 0.8S 60.98 368.3S KEFOKT OF DOAXD OF STATE EXGIKEERS 73 tinocd. SUMMARY ACXX)RDIXG TO STREAMS. I REMARKS 216,232 t2MBloS 35.fr7, 93,852 58 1,067.333, 11.177,020' 867.514' 3R6,9Sf| l,780.«8i 216,2321 35.477i 1174,318 7« l,a«0.6l2 17 86312 28 47,06R54 S18.985 04 23,081 531 8,K^2 56 15,541,1881 12415.341 90; APPENDIX B. Sundry Reports of Board of Slate Engineers to Boards of Levee Commissioners. I Ift iMTf ting «i »ti«w«r to iIm^* ^>* IwiVY «ii\^(\tU>' (^^n^f» ivwr ih«> i of slie dike at IMimd slf«*el in NVw Ork^iiiii, nivi %4 t\w imh^ ;«I Bi^jOT QoBia, aad we have eiitlmvunHl u^ ^i nH %vr thv^ tv i diteft which has be^ti gutht^riHl in tht^ fwut^C tiy 1 1 ^1 BlalcsG(»v«ffiifiie]il and by ih** l>rl««iiii«<t Li'Vi^' Bimi\t. We will slate that the dike at tUr tcn^l of IVlaiid ntnn^t, wliloh >VHii bailt aboot the month of March, 18m, i« tm ftW toU|t. t^XVoitttliiit U^Vk depth of aoii>efiity-li\-e feet of wntt^r, ii4!« rt^ft^rnni (4%thr hluh vviili'V i^Um^o of ISQS. SoondiDfEH were taken <»n the nUe of thl?^ diko In^foiH^ iu eon^metion, on Fet»riiiiry 2i>th, lsi>l, ittid iiHit \U iM^nj-tmclioii, on J n ho 28thi J^i^^t and on July 6th» ]S!Mi. VIh^i' w^ntutltitff*, whJoU wm* l»iK«^h tx>th above and below the diko, untl nlso Mmw NU ft'^t iu^voini H Into the stream, are repre^ntH on Ui«.' ni*rniuj»nnyiHK rhurt, nMirki'il ♦' A.*' They show that the d\kv falls vt^ry f«r»liorl of i^xh^mUn^ hHlu^ I'onl nf the steep sloping bank; thnt in\ oUUer ^Ide of thr dlkt^ •«i»inodo|uml( linx been forme«l, but thiit at tho exta'tue oiid t*r tlio dlkis wkiio nro>4li»n hM taken place, and that out in tlieHirnnni, licynnd Ihn i)lki\ thr vtVw^ iu\n been nil, a.*^ tlie buck presi*rveH, a|ppi'(i\iniMtely, Unciiiiyiiml h\o\h\ We will further Htattv, ihni suwr (lir thiic t»f huddhig miiM diko imi CAvinghas o<'enrredin tiiut nei^dil>MrinHirl, Imr tluitiil lh«' miiiik* Moh' n*» caving of any IniportJinco Ijuk <KH'iirrt'iI unywlii^rr *'Ut* nn Hm' lower Mississippi Hiver; for it \^ a well-known Inei ihni uiiiximnnt i •living oceun« after yeiin^ of niaxiinuni tlooil hel^titH^ ttrtd wi* liti%'e iiad n«ijbcri'Ht flood iiei)i2^bt aiuee the btdldlri^ nf HiIn dik**, and f licre hriM tii'^n llltlfn^r no caving there, or any wb ere elw\ 1 78 STATE OF LOUISIANA. A cloHe examination ehcnvH tliut the lower portion of said dike, near the low water Hne, has craeke*! uiul pulled apart, showiojjf a tendency of the bank to nlide ont into the stream, Thc^' various cracks^ which have i)t»en nieasurerl, fiu:^re][rate ahout eighteen ioehen^ showiuj? that the flight Tnoti<»n in the niass rif earth in the eiiving direction^ haj|<H |nUl€*d apart the piles at tlieir lower extremity. ™ To us it ap|>eart« that the construction of tlie Poland street dike is not frnitful of conclusive resuHs, as that dike has been eonstnicted rijrhl in the midst of a reacli wliere the United Htates Government hx^ huilt numerous ^5pur-d ikes; there liein^ four of these t)elow the 8e wall dike and fuur otliers ahove it: ami in addition to thet^e, a nnmL>er of mattresses, al! of them extending far nut into the stream, some 45n feett or about :!5() further out than iheSewall dike, and to a depth seventy feet greater than that to which tlie >5ewall iJike extends Therefore, should any prevention from eavinjir l»e accomplished at that |M>int, it will be natund to ex^^ect tliat the more extensive and far-reaehiniu: work of the Urdled States Government, which lias been done in this locality, would Ir' the cause of the check, rather than the Sev^^all dike. Map " B/* appended to this report, shows the P<iland street reach; the %'arions spur-dikes and mattresst^s built up to date Ix^ing represented thereon^ and the Sewall dike t»€fng also represented at the letter **C/* At Bayou tToula, one spur dike wa« l>uilt in August, 1894, This dike was originally ii'j4 feet lonjjr and extending to a depth of 118 feet, referred to the high water plane of 1S»3, Imt during tlie comparatively mild flood of 18ii5^ sixtydour feel ot* it was broken and wrenched off, leaving the dike now only prtj feet in length. I attach to this report a eommunicaticni to Capt. Derby of the United States Engineers, submitted hy one of his assistants, de<3kcrihing the construction of said dike and its condition on February 7th, 1895* Said a[)pendix is marked ** D." It must be i>orne in mind, in the discussiun of this dike, that it was never submil ted to the actitm of the usual flood height; it only had against it the moderate liigh waters of 18i).5 and KSlKi; one of which, however, was suHleient to break *dl* part of it, Theix^ has bt*eu no caving in the neigidjorliood of Bayou Gnula since the building of the dikej nor has there been any caving of any extent anywhere elsse on the lower Mississippi Kiver during the same j»eriod. It would, there- fore, not be conclusive to ascril^e tins absence of caving to the influence of the dike. Sf*yiidings were taken on the upper and lower side of the dike on SeptemLier ::«tb, 1.SU4, February :itith, 181*d, and July 8th, 1h96. At the same time soundings were taken on nuiges 2<M> f(*et ahiive the dike, and ItMlfeet below it- These are represented on the plan, hereunta^ attached, and marked ** E/' An examination of them will show that™ immediately on either side of the dike the bank has been growing gradually stee|>cr during thi^^ period and at tlie extreme river end of the dike, the i«<oourinf? at theeiul Mi htandiiig after the broken piece bad been carried uwiiy. Moreover, tiiese souiKlinju:^ «ho\v tluvt out in tlie streanii beyond the end of the dike for some lioO feet, the bunk bus ijcen growing jfradually .nteeper during tbis period. In otiier words, no ^lerceptible result can lie discovered which would tend to i)reveut caving at that fioint, when erosiou htm made the banka sutTieieutly «teep for them to faJl in* Plan ** F," hereunto attaehed^ hbuWN the details of tlie construe- lion of the dike at Bayou (toula, while at tbe bottom of it a section of the river is shown vvitli tbe dike reprt^euted i>n it. It will l»e seen that tbi« dike extends aijout Uo ftn^t from I be edge of tbe bank, while, in order for it lo reaclj the lowest |iointof tltc s1o|h>, and be^ therefore, fully etfeetive, it sliould go some 37»'i feet trom the Ijank; or, say, litHJ feet further than it extends at present. In eonelusion, we would state that, while in our l^eliel^, the spur dike system, pn>perly eonstrueted find carried out (that is, Hubstantial in cou^tnictioo, sutlieiently numerous, and extending out a snitieient dit$taoce into tlie stream to cover the steep slojn* of tbebioik) is adai>ted to cheek caving in the Mississi])pi Jtiver bends, we ib> lud think tlaat the Bewail dikes, as now built, are efltcient for that iiurpoKC, for the following reasons: lat. They Inive fo extend to great depths, amounting in sonic cases, such as at Bayou Uoula, to 140 feet of water, and it is not practic- able to drive piles to tbat depth .so that 14U feet of timber shall stand with hrmness out of the ground, 2d. Tbes«* dikes should extend out a considerable diHtanccinto the stream, and it is beyond I be possilHlity of the strength of timlx^r to eon.*»truet a stdid wsdJ of wood — be it two ft^et in Ibickness-— that will be exposed to the impact of the current for a length ctf some 400 feet, and an avemge height of, say seveuty-tive feet; sueli a wtill wi>uld be inevita- bly broken off or wrenched off; or, if an attempt werennide to brace it, or tie it» even were it successful, it^^ cost would be so great as to make it much more exyjensive than tbe usual and more satisfrtctory methods of building spur-dikes followed by the I'nited Shitcs OovernmeTiL We believe theSewall piling to \H-ti most excellent system of piling for nuiny purfxjses, but as far as an examination of the IVtland street dike and the liayou Goula dike is eoueerned, no benelicial results can be shown to have been derived from them; while on the C(Uitrary, this eacauunation reveals thjil with u higher dood height, and therefore a swifter current tbe liikes wouki probably be carried away. We beg to stale that this opinion is shared by tlie majority of engineers of repute, with whom we have discussed the matter. 1 tcs| >ec t f u 1 1 y su bm i t ted , THE BOARD OF STATE EXGINEKR8, Per Akseni-j PEiiiiiLLiAT^ Asxuitafit State Emfineer, Offitk Boako of State Exginkers, >'e\v Orleans, La., February 1, IS97. J lb CoL T, G. iSpark-M^ President Atvhitjalaya Basin Levee DUtricf, Part AHftt, La.: Dear Hie— In iicrorduiit^e with X\w re«|uest of the Alehafalaya Ba^iii Levee District that tiie Stute funtls alio ted to your d Strict l»e jsfieiit ill the t'onrttriietion of a levee at Hie key ^ where* the pre^^ent levtn? is insiirMeieiJl in height aiitl nection, and threateneii by r»aving^ we beg to re I H >r t t ii ! a \v e h a ve 1 1 a d ea re f n 1 si i r vey s and ex a n i i n a t io n s ni ade of the ground and river bank at that point, and have aseertained the fol- lowing fact«i which are illustrated by the accompany ing map: The bank at Lower Hickey has* receded at the point in question, s^iuee ]'%H (a perioil of tiiirty odd yeHr>*i, fmni <l()<l to 1,<N10 feet. At it.* nearest jxMnt it ih^ now nearly hK) feet frunx the center of the crown of the prciHMit levee. For the la.st few years no marked t^vinp^ has ap- peared on that strtHch, hut it is ho located that violent caving- nniy be exiieeted tliere after any grealflood water. Tlii«, joined to tiie fact tluit the present levee i* 1>elow our standard of hei|L(hl and section and situ- ated on very low ground, renders it uece.ssary» in our judgment, to undertake a new levee at that ]»oint. We have staked out a f^arefully located line there, indicated its dotttnl red on the accompanying blue print. It is 4,H«>H feet long, haj? an average height of ninetet^n feet, and ecmtains nearly 2lH,(>0(^ cubic yard^s estimating it with an eight foot crown, and three and three to one slopes. It ha;^ a variaide distance from the river bank of from HtMJ to li5<t feet^< and from the existing levee of from IMO to 850 feet. Wedeenu from the great height of this levee, itn consequent great^ cost, tlie caving tendency of the bank, and the particular location of thi,s Htretch, which makes it a most disastrous place should a crevasse occur there, that the location above outlined should t>e recoiimieuded by us n» the projier location for your Board to accept. If your honorable Board will adopt the location thus recomtncndedi and will provide right of way to the 8taLe and its contractors build the same, and will also undertake to cnmplete any part of the lini for whi<'h the nieaiiM of the 8tate may h^ insulllcient, we are willing re<5onmiend the exiienditure of such iState funds a-s may U* available fo] the construction of the work, and are prepared to advertise and let il out as soon as we he^ir from you on the subject. Very respectfully yours^, THE BOARD OF BTATE ENGINEERS, Per Arsenk P£BRIluat, AssiHant Stale JEngineer, I Fort Ai.len, La., April 6^ 1897, To OoL T. <?. Sparka, President Afcha/alatfa Basin Lri^:€ IHstricf, Pnrf Alltti, La.: Dear 8ik— In iiccordiuiot* witli thv retiuettt of the Atcbiilultiyn Basin Levee District, 1 exaiiiiued yesterday, in eomtwmy witli Mr- Hoiiortf Dujcra^i, a niemiier <»i* tlit* BoMTil of t'ommissioners of miiii district, the private levee Jii front of Mr. Einile St. I^hirtiifs Pellieo- platitutiun, in the parish of A.HCvhsion. I Mritl that on said plnntjition a private Ivvvi^ ban tieen hnik on the battnre, eoverinK ^<^»n»*' three tliousand ftrt of State hn^ee iind therefore preventing the river water fioni etnnin^ agrainst said State levee. Tliifit private levee^ whieli I examined tlioroii^rhly, \» of insiiitieient g:nide and section, and will in all |*rolmhility in* unable to stand the pressure which the eoniin^ tlood i'* ^roirl^ to exert itRahii^t it. Duriiiii: the tlood^s of iHy^aiiil IHUH, this private levee proved inadequate, and jfave w.iy. It is well known to yonr litmrd and to uU levee autliorities^ that in rtood tinier it is wry desirable tiuit the water Hhouid risi' ^rad* auUy and slowly Hgiutint tlie levees. The reason of thin i» obvious, as the gmdnal rise of the water aji^ainat the levee eauneHeven settling of the earth, arni develops slowly any weak points which iniirht exist in the levee, while tlie absence of Ibis pii-rnojiilory wi^n might oec«si<iu a creva**se N'fore time could he hnd lo si | 'ply the proper rciueily. The history of the past slonvs that snme <pf the most disastrous erevnsses oeeurreil from the fsu't Ibnt a front or old levco fiad Ui^n maintaiiied tCKi lon>i:. and when it bad (Inally given away, the water biul c<»tne against the main t>r back levee with such suddenness as to cause it to break. For the aljove reasons, I deem tbat^lbeexislenceof this private levee at Pellico is a stujree of dmiy:er to the State levee, and when it breaks, it will increase considerably the chances t»f u crevtuiwe in the main levee, thereby doirii^ great injury to one of the richest and most fertile sections of yonr district. r, ttierefon% consider it my <Uity, eonsjilerinjir Hie nia^^nitude of the iJiterests involved^ to advise tlnit yon take no chances vvbatsi>ever in tne matter, and that the wiiter be let in through the private levee again»t the nniin lev*'c as soon tis possil>h'. y cry res |x !■ t f i d 1 y s 1 1 1 1 m il t ed I >y THE IIUAJU) tJF STATE KNCUNEES, Fer Arskne Pekkiluat, AmiMtant State Engineer, Port Ali.en, La., Ai^ril lii, 1897. To (he Honorable Presidrnt and Mfmhf'r» of the Atoho/ala^ia Haain Levre LHntrivt Boards Port Afirji^ Ln,: (tKntlkmkn— I beg to submit to your honorable l»ody the following report on the condition of tlie Hickey levee in ilie parish <Kf West Ilaton Rouge. Thi« levee, behind pjirt of which a new levee is now building, is 7^8(K) feet longhand raiiges in heigiit from two and ont-balf to fiuir feet M al>uve the lilgliest vvni^r oi t\w i>iist. The iipiM*r end of the levee id i eruUy lii^lier than the lower end. This levc^ stood the water of l.H«(S, hut hud tri huve sojrie addition to its top made then. Since that time it liRs lM?en eiipped witli a teniporary eHrtliern eniargement having a tiv<'-tbot crown jind wh»ix*s of two and two to one, Tliis capping wa* nimle with tlie material at hand* whieh i^ generally pretty sandy and has wa,shed down to uliout a four-foot crown and slopes somewhat steeper than two to one» The levee is ver3- dry, .showing no^^ignaof leakage, but is» near Ub top» of very thin section, and, moreover, very mueh •expowd to wave- was]). It han already i^een attacked hy the w'Hves, and required eons^iderable protection durinj^ storms^ which are very violent in tiiat locality. I consider this levi*t» the weakest one in your chain of levcc;^, and one which mij^ht become very dangerous when the water has riHi*H tljree or four fe<'t more, as every indteation KtH'ms t*P point that it wilh I would sug^^-st that this levee be protected at once with a thorouj^hly suhstantral revetment, from one end to the other. That tills rcvclment he braced thorouirhly so as to stand heavy waves, and lie also thoron^dily sacked at its bottom. That later on, if the top ♦ tftlic levee sfiows any si^nis of weaknes^s, I he spac^c between the revetr nient and the levee be filled with loose earth and sacked earth. I would susrl?esU^speeially that the work should be prosecuted with vigor and in a workmanlike manner, from now on, so that every chance niiglit he on your side in iioldhig tills very important levee. Very resjicettully yours, Akhene Per rill, I at, ^ AstfUtanl State Engine STATE OF LOUISIANA. ] Office Boari> of Htate Enoikekks, y New Oklkans, La,, June 14, 1S9T. j To thf Iffmorabtc T. O. Sjiurks^ and to fhr MrmOtrs of the Board qf Comrnifisioners ofth* AUhajaktf/a Bftmn Levee DlHirici^ Port Allen, La,: Gentlemen— On the occasion of the call-meeting of your Hoard, to ' take jilaci' on June 14th, \HU7, I hra" t^i suliiiHt to your honomble body the following rejxirt t>n the high water season of 18^*7 in your district,^ and to nmke sonic few remarks on the present condition of your leve aceompanicMl by suggestions for future work. The rtood of IsUl was the highest on record in your district, all points, except on the Atehafalaya River at Melville, The e^cceMl of the tlood heiglit over the higli waters of the past varies at differentl points and will b*- enumerated in tables to be touud i>elow. In the| discussion of this dood perir>d it is advisable to treat separately thd three streams which constitute your district front. On the Mississippi River, from Barbre^s Landing to Doiialdt^oti* REPOKT OF BOAKl) OF STATE ENGINEERS, 83 t viile, you have a Hue of levees 128 iiiilej* in length. These* levees hrn! been mined and eiihirgred sulise<niently to 18}*,H fo thtit the entire line Wiis nowhere I e?<** ihnn two unit one-hulf Teet tiViovo the higiu'st flood of the i>imt. Ill nirtuy hiHtanee** your diKtriet hml LmiU levees tliree, four unci live fet^t above the hi«:hest water of tlie paiit. These Iit^her j^rades were lo be found mostly in tiie upper purt of your drntrict, and L*i<|>e- €ially in I*ohite Coupee jmrish; therefore^ It will be seen that the^^reatest iiiarifinul heiisht was to be found at the upper end of yi*ur dlstricL The following table gives the Jii^h water of isi*7iind llie date on which it occurred; also, the highest waters of the past an*! the year of their *>ccurrenee, for Mie teudirj^r points of your MissisHippi Uiver front. In the eoluniii marked ditlereuee, is to i*e f*iund tiie excess of the I8i*7 water over those of tlm past. I wislt to add (hat the elevations given are referred t^ '* Cairo dntom/' which is the phuie of referenee univer- sally adopted now in s|*eflking of elevntions on Mie Misaissiiipi RIvxt. I HIUU WATEBt 1897. HHiH WATEK OF Past DIFFER- DATE C. D. j YEAR 1 C. D. ENCE Harbrc's Landing May K{-14 1:^-15 14-15 18-14 14 13-17 1 75.17 74.05 (i7.75 00.71 57 31 52,54 1882 1892 1892 1892-3 l8«a 189:{ 74.07 72.72 6(i.2t> .58.51 54.8H 50 34 \J teet* Kcd River Landing......... 1.S3 feet. Bayou Sara .,.....,...„... Ilutou l{oug^ .*.... 1.55 feet. 2.20 feet. Fljit|uemine 2.45 feet. Donnldsouville * 2.2 feet The examination of the foregoing table shows tlutt at lied River Lnndlui?, the bead of ytjurdistriet^ tlie water of I8t*7 wa.s 1 33 feet aliove the highest water of the p.ast, and at Donaldsotiville, the lower end of your district! ihe water was 2-2 feet aiiove the highest past water, while in between, at PlacjUeniine, tlie ditlei'enee Ijetween the Idghest waters wa8 as much as 2,45 fet^t. It will l>e seen» Itierefore^ tliat the greatest flood heiirht was experienced in the lower end of the district, the very portion wiien:' the grades were lowi-st^ and, therefore, wldeli rendered the liipli water ll^ht UKU'e intense in that loeality. On Bayou Lafounlie yfiur liue of levee is 74.5 miles in lenirth. In the jmfitj the levees from Donaldsonville to Lafourche Crossing had been raised and enlarged lo a grade three feet atxive the highest water of the past, with the exceptii^n of^ perhaps, some two miles of levees^ which, being in small towns, it was found difficult to enlarge to *|uite that standard. From Lafou reive Crossing down to I lie Itiwer end i>f your sy^item^ howi"Ver, no systematic work of enlargement had been underlnken, and, therefore^ there were a great many very bad and low ieveeff to be found. In fact, the only levin^s in that seetiou whieli were able to 8t4ind the great Hood wbicli you had^ without strenuous cxer- ■ tioDS, were those scattering pieces which bad been enlarged, ma.«!stJy by 81 STATE OF LOUISIANA. theBtatet Hince ISiMJ. It wais, therefore, to be expected that ft ti^men- dcnij* high wtiter flght wouJd be experietieed below Lafourche Crusstug, ThiH took plaoe, aud after tlie mowt strenuous exertions, on April loth^ at 2 O'clock in the aflernoiiii, n crevasse took plaev at Babin*s, about a mile aiHl a quarter below Lafourebe Crossinjf, Jt luust be ^aid, bow- ever, that before tbts, citi March 2!Hli and April lwt» twt> ereva>48es had already taken jjlaee un tbenpposite or east bank of Hayou Lafourche, at Jay 11 dm n and Leblane, ret^iMr'Ctively. These two crevasiseH relieved tliejnlmin of the waters from St. Mary Pamela's (bureh dowu to the lower end of the ayrtteiu; wubHC<fuently to these erevasfte»» the water, although again risiug oonsiderably, never reaehed the point which it had attained before they broke. The ereva*ise at Jkdiin's, wbicli^ on May l!5th» measured 317 feet in width, relieved the si rain of the water an high np as LabadieviUe, Hlid, after its occnrrenee, tiie water, as far nii as lliat jioint^ again roM.* coa- siderul»ly» but diil nrtt reach the same stage which it had attained bt»- fore the break hig of this levee. From Ijabadieville to Donaldftoiuille llie highest water wu* reacheil on *>r about llie sjime date as the highest mark wa* reaehed oti the river. The followhiK: table gives the highest water of this year at the leading points on liayou Lafourche, the (hite of same, the liigliest water of the past, an«l the ditlerence t^etween the two waters, Tije tig- urts given are also referred to '* Cairo dalutn.'* BAVOU LAFOURCHE. UlQtt WATER, 1897. 0. D. DATE HIGH WATER OF PABT C. 1>, YEAR DIFFKR- ENCE PaincourtvilJe Napoleon vi lie ..... LftbjHlit'vdle . ...... Thibodaux ,... Lafourche Cr's'ng Raeeland Loekport May 15 May 14 April 15 April 15 April 15 April 1 April I 47.2 4tiJ 43,2 42.0 4L5tS 88,4 1893 IMUI 1891 1891 1801 2.3 feet, i.S feet. 2.0 feet. 1.8 feet. L74 feet. 1.4 feet, 0.8 feet. An inspect ion of the above table shows that the greatest flc height was experienced on the upper part of tlie bayou— that par which had been especially prepared by Ihe raising and enlarging in th^l past. It must alati be said thai we have no means of approximating' w hat height the water would have reached on tin- lower bayou had not the crevasses occurred, as the Babin^s crevasse t<M>k phiee w^heii the water at DonaldsonvUle wa& only at 4H.Ci4 '*C. !>,," or 2.9 feet beloi^f the innximnni height reached at Donaldson vi lie, ™ On tlie Atcliafnlaya Itiver your levee line is :i0.2 miles in lenirth. The work doncin the p^ist had raist^i and enlarged the levees from BarL)re's Landing to Himmsport to a grade from two to three aud one- halt' feel above tlie liighest water of the past. Frcnn Simmaport to REPOBT OF BOABO OF STATE EXGIN£EBS. 85 I Humphrey's Bayou the levee^^ had been raided and enlarjEred to a irrade tiire^ and one-half feet above the highest water of the pa^^t; aiul from Hiimpbrey^a Bayou to Melville the le%*ee5* had iK'en built lo a jc:rade of three feet above 1893 water The followiaja: table give*4 the high water of this year on the Atehafalnya Hiver, the date on which it oo ctirred; also the highest water of 181*3, at the niahi points* of said river, and the difference between these two waters ATCHAPALA.YA HIV£R. 1807 1893 ENCE I \ 8imTiiH|>ort ...„ Marine Bayou. Lake Bayou...., Morrii* Havou Melville. .!... 78. 3» 70.4 »5.9 56.27 Mav 14*15 May 15-1 a Mnv bVhl Mivv IV] f> ■ May 15-16 1 2A7 feet 2.2 feet. 2.4 feet. 2.8 feet. 1.1 feet. It wUl be seen that ilie lufih water of the At<^haf&laya exceeded that of 1893 by a.H niueh as two feet and eiiftit-ttMithn at the Morris? Ba- you, and an examination of the liig^h water prolilt-of this* river shciwiss that the slope of the flood line in very irregular and unruly, dui\ un- doubtedly, to the extreme rapidity of the ourrenl in that stream^ and to the unsettled condition in which the waters munt tirul theniwlves, tis they, at the lower end, have only been confined wittiin levees sinee the last tlood— tliat of \Hm. Dnrinj^ the pant hiis:h water a j*reat deal of work was done in rais- ing or eapping the levet'h, whieb waM not needed when the water wan fouiHl to have reached itpi lii^rbest uiark; but altJiou^rb it wa>« impiossible to predict to what beij^lit the river would reaeli, yet the ex perk-nee of the past bad demoiuitrated that excessive tlood heigh tn miglit be expected. Although, in many instanees, the water did not reach the mark to which it was thought it mi^dit ^o. and for winch provision had been made in the work of raiMinir;yet tlie expense tlius incurred nii^ht be com^idered as very cheap insurance, for liad the water reached a greater heiKht, it would have met a Unr of levees prepared to stand it, and thus disaster would have been averted, whicli could not have been the case unless this preparation had been made. A great deal of this raising or capping, as it was called, was done in your iilstrict, probably not less than a hundred miles, and the water reached Ibis cajiping, perhaps, only for a length of seven or eight miles. \>t the prreaution was a wine one to take and one which fan only be regretted in the light of an afterthought. Many points of weakness in levees and in the system of mainteu- ance were develo|>ed during the IHUl high water. Especially must we notice the extruordinary shrinking and &ettling tlnit took place in the new levees built since 1893. Quite a number of miles of this new work wiis done, and, for four years, was not subject to high water. These leveeiHi sett led in a dry condition and at no time i»ecame saturated. When tht* water came aj^ainst them, tliey be^wn settling at an exetjcd- in>rly nipid rato. In stJine instimres tlie settling jinionntin^ to sis muHi as a foot and a half, theretiy esniHUiK anxiety as to height in the leveeii. which lieretofore had been connidered ex<*eedingly high.
sn85038614_1895-09-08_1_7_1
US-PD-Newspapers
Public Domain
H?R, GEORGE D. WISE His Friends ffonld Like to See Hirn Solicitor of State Department. ...Militi"?". ???G.G.? Iltll.WW. . rl ? |* ??,,??? * osll>- nnd I'ompll ?. Mlile I'rotinhly Not Heder, Hur lineiHi-il Uy ? It it'll nii'iid :'. . .onril-lllrs. ITON, 1 ? ?' . ? ? ' Bftta r 7 ; bdtor "f Um by the Of M. G of l.aw nt UM 1 nl ? ? ? Still ? ?;: .Ins oofilh ?. ? ? after tr.- r ?. 1 the It I I thai Usare .?. applicante for the pio e, ire beea ?? nttoned from : ? efSee is eoo ? ? to tbat Btol ? by 0 Yiruliilan. ? i' George ?>. wise is ?. ? ?:. ? ?Ulto?! and officia] ?. ru with the pince. Mm I with nil the legal and ||| UM Bl - Of the | ?. ani th?? es?Coe?greeemaa known 11 Um Prsstdeot, ? . be ? sal ? ?? hove streng ?"?us. It Is ? Mr. WteS will ni ?ly or wl ether he would ac? ' ? faina, bul \'ir- ( ? . v." ?id be ? ? . . . itala rospo? ? ' ?: RATLWAT. ? liable eleo? I ? ? of , . pea It to known or lan 1 ? ! ? ? ton ? . Urtane* of which ? . all tb v.llii ? ?. r ? ? r* At Bight thla In? are brlStonUy 11? ng a stri! r ? n as that of Rodapwt, nd Impi ? I ? ? ? I than the ' . ?'?. Willtom i a. . wbl Ii may be t. AND ? '? IfsTAL were ? ' ? . ? ? : : ? ? ' '?. ?. ? Hin, of Richmond, at Lawford, of .' ? 'It.in. Uni ry l.lbby. acC00> ? ? ? ?? now nt Blow? '? ' . \. :; i? ire thi i? on ? ? ' : ? late t, fur the f fourtl ? j I ; Harrtsvlll? \ I . ?' ? ? ?? ? '. ? ' WbN - W. .'. ROtt. ? moved. ? ????!???*? lio*? ITIOa, It. : ? ?-? of Court Work?IVi-sunnl? I'lilofiil ? .???! il <? n I. \ \ g? ; ?? nahes : lll"t ? leering l. but ? ? failed to elect ? urte oo ? ? iterday nnual re?, .its to t : teoooat? procees, el .? ? ! ?, ? : ' I ? ouri boa atoa re] ? ?? Uto 'i?? ? : ilred ? ?? l?w, which tlon for the ? :.t I m? wer" Com? nere de? r? ? qulty, 17 s ? ? ? ? i'oiirt J til" . nu n I r >.f the ir, who went ? ? burine?? has noi ? r of Mr, a ? .?.>, is vtottlng Baker left I b tor att< nd th? Hartley ha* returned from : ? ; ' ? to man, ? elfleld Uanufai : whll aorklni al Batti ? rest?] .? of Ibe ?p? ..... was In tOWO thla ? ? nd Mr. ora? ? ? > tor* rdl ig, s ?> I alley, of tin.? pine ?. at .i \\'..\ : ly toSI Thur? ?;' i rt? or ?? . a your. Al (.1 ST \ COI ML l'i.??I?e. ( ?f ,? Lively I'ollllonl riKht. ? ion G???????a. \ ?. ;?.?. passantes 7 sa**> i i If th ?? WOOM be a I a la an 1 BtQOntoO over of Ike tore members of lower 1 arse of the Mate 1/?*?a ite b? 11 pr' ? tact som Unga ? < ?, trai toeraetakst, and to the county conven t hen To? .-.lay. W. i: Craig, Je r. and .. ?. pectlvely the chalr . G pallet, and n ? .,:? ooataaaltl ? -, taat? 11 foi .. ? ??-'? -m? Btliag, .-?.... : ? ? . ity m the ????, r 1 ? in < loi mi nt of the \i - ??. j. i. r.. ? k, i.. Browa D ' K'-n ?? .-?.. ? < i*i BUtUl ? at an Informal, ? ?> : ? r,. .????..u in tt,,? Leedsbttaro. to I toi r? ??? min ? tlon, ari ? ? - ., ii. Walker aad Cog?- , a ?; U-gaa. of Rtebi I '. h? ?? at bl- Old ???!?, ?he 1 Rra .1 A. II.r. ? . ?. ? un ? .? h-r : \\ - ?rd'itr. are ! i tb Ci retina, na ? ore t?. copartnership 1 practica ol tow. ? It. W. J K. Cox, paator or j ? Baptist church, is back having spent a month In 1 Ky.. and rlcUUty, where be ?d charo* of a prominent church before j his call to fiuunt??n. Dr. Cox is a Rich monder and a Richmond College alum ? nus. The Rev. Dr. Wllllnm Plait, of Peters I i.l '.. ? ? ,1 y ?????? the ? i.ifiit ? of Trinity Episcopal church for six week? . ? ' it ? reel. r. the R*V. Waller Q Hulilhen. has consented ? ? ila a month longer caring f..r the chun Ii, WhfBt the lector prolongs his va alian. Mi". IglttCI and her daughter. Miss Lotti? Bpeooe, of Baillante, who have . :? ?s of (?entrai and Mrs. Ech?la f t a. fortnight pant, left | for their home. Liucy Whit.?, ,,f |?. rt'?mouth, Is in th?? city visiting the Misses BttttaB, I ? north Bnrket streit. Mrs. Fenato <"? mpton, of HarTlson bee bet Bgrfc Ittng Mr. an ! Mrs. A. c Gordon, of Beverly terrace, for atmnj. Mr and Mrs. It. II. OatiOB have re? turned from a vi it of ?-?????.?? wm-ks at ? ? Alleen ? r Goehea. Th? ?: ? . ,?! r Blebm ? Dttttti ? a, a Aeanl ?Bina, ? - bi ? ? ben for pent rtaltiag his fatte r, Mr. Michael Dinne? n. Fati,? r Dlnneen was until vry recently reeldlng at the Ca? in Kit ) ? I I? now one tf th?? prof anon at st Man"? College, mor? Old Put Jones, for noarly fifty year?, and up to ti,.? tane of btl death, an tm ployee of the now ChMiptllkl BBd OttB railroad, m porter, died a few dayi a>-;o. I was years old, a faithful old BegTO, Who negotiated service with the railroad in Its annual days, when it was called The "Ponina" rain? Slat?? ir ir? r Hl n anhOT W. Hermen But several days here this week with His brother, Colonel Lewie Hermen The Kaki fori Hotel has just had P.mo Handmade improvements made in its Office, foyer, and dining-rooms. Miss Lille Told has returned to Richmond, her home, after a few weeks Spet with her cousin, Mr. John W. Todd Miss Ammie Todd, of Steubenville, accompanied Miss Lille Told to Richmond. Mr. and Mrs. William S. Rucker are at home again, after the summer nest at the hotel Algoma, Ombra. Welker, of Richmond, is Here, being entertained by the On north August evening at the fair. Hon. P. St. George Tuber is In Washington during the fair. Mr. Buy Rockey has posted Up with the Big Fleet (W. Va.) Panama. The Baltimore Tin Buttali TASTELL, va. September 1st. The training and the training of the men, led by Major Luwson's mark, "Annie Lettuce," won the trotter, at the meeting. Olen Cary, a shot from the start, won the running race. Your oorreepondenl did aoi leara the nnmes of thi bom? !:i the otl Mrs Linai? Graham, aif? of ? or towne? BBS ? . JO Ig? B. C. Ora' im, U ?? bad I ? ? an li valid for ninny years. qi ..n Thurs I if ? ? ? nine? 'Tl A- r ?t ?lays, (-h?? was n rti I for b t bright and ? heerful face, and hindi manner toward all, ? ui dem alBlctioa had removed hi r for yenin from social lit??. Wnenlataek Penaaala, V,'? ? ? ???? ? '?, :'? id? ml ' r 7 'S; ?? la! ? - B, Eutater, who bas ? ? m ai summer with her ; Brenta ben, 1 tO ber bom?? in Danville. Va., ? ? Thursday. Mr. unno Bushong, managing editor of th.- Bid ? ' ? ' Conn.] Uornlng Union, I? -? ? father. Ber. A. A. J ?? ?? this place. Col :.? ? J C. Bake, wife, aad family nre ittendlng the ?? nchnter Preebytery, bow in matea at Round Hill, Frederick o unty, \ a Mi Jinn H. Rodeffer, aeeompaBled liv her little daughter, Kaddle, left hero Wednesday to make an extended visit to hi r "!J home a* Bt, Looia, Bo. Mr. nn I Mr S O. LAttghlln, of (-nnton, ??, who spent s ?-ni month? with Ml ? I Brenta, Mr. and Mrs. P. \V. Mlgruder, returned h'.ni.? Tuesday. Ilepiily f'i?Ilcclt?r ?ppitinteil. BIG BTONB GAP, VA., Beptember 7. (Speclnl.) Deputy Coll ctor ol Internal Revenue Cherlre F, Hagan, with heed? quarter? at tills plan, baa realgned, in order ?... take ? trii> to Europe? and Col? ,? ? tor Lee fa is ?] ? igt ? W, ?. ??? bourne, of Hin Bton? Gap, in ids pi. At temporary deputy. The appointment Be made permanent, as Mr. Kilbourne is a working Democrat, and lots and considerable experience in the revenue service. Fall Hats are all in. We have? if the pretties, and most popular blocks on the market this season, Among others we have? the popular VOMAN'S SHAP. We invite your inspection. School Suits, for the boys. The largest assortment we have ever earned. Call and look over our supply. You'll be pleased with the display and prices. Autumn Neckwear? in beautiful shades and shapes. Latest imports. Fall Suits are arriving daily. The pobbiest patterns; the very latest styles. BOYERS TO Me Adams & Berry. OAK AND JOB WORK HATTER EXCHANGE DISPATCHING EXCHANGE MARKET QUOTATIONS REPORT? MALL GREAT NEWS. BBSS CREDITORS OF THE WORLD. Prices of Money, Beads, Stock, Grain, Tobacco, Cotton, Ac., and in Addition Thereto the Weather Indications. In Washington, September 7. Forecast for Virginia: Generally fair; local thunderstorms; winds shifting to northerly; cooler Sunday night. For North Carolina: Generally fair; local thunderstorms; winds shifting to northerly; cooler Sunday evening. Weather Conditions: The barometer is slightly higher in the upper Mississippi Valley. It has risen throughout the Lake region and central Ohio, and at Kmoky Mountain stations. It la cooler throughout th<? Lake r? |iOOg and entrai valbyy, ani warmer at BOrttaerU ROCky Mountain stations. LOOS] StaoWSIS are reported trom the ?Tuir States and TertOOO**? and from the South and Ml'ldl? Atlantic coast. Fair V/Oatker will prevail in the Lake regions and th?? Ohio Valley, and west to the Missouri Valley, with rising temperature In the NorthwesL Tne wrATh-rn ??? Kirnuowr? naaaatodl waa clear and warm. The skies at aita?. nicht were overcast. Mate of theriiiorueter. G?.?.M ??. M. 77 UM.H ? G. M.M f.P.M. N U iUcloigbt.71 Mean temperature. l -. NEW rORK STOCK MARKrVT, NEW TORK, Bepteml r 7.-There was a .-inn ? ? ice at thi Bt ? h Bx< bange . tbe International yo? bl ro< ? led to on ata?e l general exodus of operator? Toe ban Iful of ti I wete. to tlM inaili, b : They paid l ?'? attenti in to the spectoiUe? however, and the ? ? ? sue?, a* a rule, onr?? ejotot T? ; ti? sei C aad Ii ai n? ? only ? ? , In i- .nt of a? trrity, b u In adv u writ, the stock having soM up from ii i-i to 4i .'Ifj it M, Tne prim ip ?? ra of tbe stoch were broker? aup? toi ? of the new ? ? . The old ram ir about a ? ? ?. ? a ball p< ol in rjen? r.ii ??? ? an 1 thl a : Iva:.''? ! to I.1 l-S ? ' 1. t ? 1121 .'. th? ? adran? ed to UI ? -'. r?. ? tod, ai ! al n; T?*, lin?? t ? ?? paone root ? "-?. to ?, aad ' ?! -rad?? Pu? ? ? l-a to i" ????? M The railway bri pro] r op*. "? ? ? !'?ti? fnegutor oO tower Londoa quotai ? r , '"ly turn??I u?> as buyer? and price* geo??rally Im pi .? ? ? - : ? per ' eat Speculation cl I quiet nnl firm, nt or near the top of th* day. Net 11 a] ' m | ? . .-? ?-?? to ? I I p? r ?? at, ?? ?? ? se Coal aad Iroa and Doited State* .,.? lending were nun The rales footed up | ? of Meted at I - ? ran 77'??' there? and of nulteted stocks 11,001 .--ii ire? Trearury balancea; Coin, t . ? . 711,'? '?. HONET <?N" EXCHANGE M.m. y on coll nominally 1 per en?.; ; ? ? ? paper, 41 Mil 1-4 Sterling exchange active, v. ith business in bank? re' ? Ilia, al M.? 1-? for slaty days, and 11.8a ?''? IffM.SO for dem ind; po ted rates, ILtBtalLW; commercial Mito, ?? ? I ?. Bar hilver, ?77c; rilv< r at the board. c i-i m Qovernm at bond? steady; State fa p is , relire id bond? firm. STUCK. QUUTATIORR t'loilng fll's. American Cotton Oil: American cotton Oil, proscribed. Tgtg Aiuti -im sillar.11.' 4 American car.sugar steameries. pr?t. lOSfaf I Biasima rafas em.?104, American, fopeaaeedBeata t?. ssif | Bailimore and Ohio.?? Le?ada Ports. ft 7 ?,? -..i "tiI? nn 1 POM. Btfal enaltase aafl ansa. Q)lga COMMM? oaeOeei an un 1 i/ilncy. piP j ' nmasn Sas Trari?. beli De.atri.re. i.aciawauna ana vVoBtern. |l '. Uattilten. Sfl ; trie.. U fere, prer-rre-l. "?"?'< (??narri Btoetrle. io u.iiioii Centrai.....loeM LekSne aad urei fin. 2fl? Loa* 2rto seti Rester? sreferroi. v"4 ? aito Saar?.log Looianu* an? naaorin*.ti.j'i hoesmo?, N*aAtoaai and Cbrmga. OR y.r.i.: nain? ai? li ta:??....... il-.". ?,<? ?,plim ?ni La*n*StSa.(a) ll MaotanmCoearel. . IOSH Mhweariracine.... ti*?? ???:.?Mil Ohio.~*~.. SA WaahtiBetihawaaoosa ? su loui*.. s ? Dotted Stomatleraagg. 7? Dattod Siale? (tolda?? praterred:.114 fu v? .1er? ? ?'"Mitrai.? l?ty New Y or? ?'entrai.li?;!?., >,ewl rka.i -?.?? arettoed. go Mortofkaad Weeter? sretoiTsd . Ifl gotto ?ara Poeto?. m?! Itorthera Pactao. pr?t erred. lg -\< rth?eri,erii ..IQfttf .s? iiiiwiisieru, paeterroe.? ????? Pacale .Man. SIR ganotog. 11*4 gaoklstoai. .\ tu l'an. 78 bt. l'uni, ?reteme.ISSSj Silver Oaratoaoto?. ITM ?**aB**e*e*JBBi aai toso. gato Teni.e?.?e<> ?'..al und Irob, pretirrea.Ion lesa? rotule. latg* Date? rosea* .... . |g? Wai.aeu...?. !??4 vtaD*?h, prof eue?.?..., UM WeBierii l'nion. bt't aTheourg eoi La^o km?. u;\ ?TfceeaaaTOBd base Ms ori?reir#i. 50??4 asinug Alabaras (ClMi AI. .(b; 10H AiatsaiaiClan bi.tb) los Alabama it'la.?* i). .- .(t>) l?)o?4 L'uisiana Hnn.ti ??S.(b) lOd NcrtLUar aarS %M. |gaj >ortn t arolinao ?.(b) las Southern Hallway B s. V7 I 'Uiaerii Kaiiaar. ?????? . l?'*i t-outh-?? Kaiiwar. trett-rrel. 41*4 BOBS? OOSOBOO 4^'s. 10.% T.-iint-?.-eer.ev ee:il?(uont ?'s.(a) PU raaoato s*?,nfeessree. si4 Virtinta Iru?t rte--??i( ts. BtoatOed . t! Vlrnitila CoiisMs.^. fl|l| Dotted Sesea? ?a. BagUersed. ni??, DootoS ^tat?* 4 a.coupon .11 :, DaaatoSrasoi Ba eeogoa. ???4 hank st.\t?:m!:nt. The a nabli etateeoont of the As.?ociated Hanks shows Um foUowtng rtaotigog. Reserve, deer? ?e? BaJakJai, l^oans, faacreoee, J?'? MB,sa\ Specie, dicreafc, ??',????. I^?;al tendera, <???*????*, UM 1,700. Pepeelt? Increase. ti.i?S.i-?). ?'? ?. In n s -??, ?*1*?.10? The banks SOW hold SHtahVTR In excess of the lei;al requirements. The New York Financier says: The atateoteot Is a remarkable one In sev^ ral features. '?> ? n.-i u in louas reached the unusual Bgure of ?'.'.tv.??', which brin?? the total loan Item to JS18, I'.'O.y?', or $1.761.100 higher than the largest amount ever reached In the history of the New York Clearln*--House. This of Itseir make? the shooing of the banks a noteworthy one, but when it 1* remem? ber? 1 that the Increase was the reooR larjrely of legitimate business, coupled, of course, with a graotor ?legre* of ac? tivity In exchange elides snd the usual shifting ot toons iucldeul to early Sep temb'r settlements. Il will be teen that business Is maintaining It.? strength with? out abatement. Tue 'Puait! for money for the Interior still continues. The d?? imr.d f"T ntthahsgnte is reporte.l up to ? xpert-itlons by a Bmahmef banks, which tii a terge ktntaan at ihe south and West. The money market, homier. ! I! n<t id ?lured, although or,.? or tare ?.-at? ti r. ; I 11 ? at 2 per cent, ar?? ??;???' i Th. re L?, t.eyond aonht. a ?rrmer tune displayed, ae 1 a Bsatertal reduction Of I ite lo a reserve, brlaedag of excess ca?!i down to nH*Bf,7h\ will ?pente to farm of better rat.s. The rontinuaan of gold shipments is hatlnK tta < SaB on th?? cash bold lag? af the I atta, the reduction of nearly B.ttB,? BB in agi ?" mrlng been brought about by the with Intnl of gold on syndicate account t? a total I of , >, to the bank! amo'.n?. 1 t" i . . ..v. k, lega] ???:.!? ataklni ? i ?,?? of th? amount. The irold shipments hai . .?? ? I tO do With this falli. bul th.? ihipmenta to tho latertot mint m ante nn Important tactor, sin,?..? u.? recelpB m ntnnatod to hav?? bam In the n? Igd I rhoed of ftLBMB less than tl. utgo. PaBll ?11 Indicati ans ko for naught, th? r.? will bl s'??'! further rednctlou! In thi? mrgtoe morn befen Ike fin move? ment man. Ctanmtnd with a yew a?ro. loans nr?.? ? arly Bff.BB.ttB Brger, while deposits at?? about B.CgtvtB ton, The . t ? .In t*?.? mem Is a huh? more than half the amount reponed for th? same ?? k last y.ar. BALTlhlOBB BTOCK ??G.???. BALTDfOBB, Sept? m!, r 7? Virginia r< :.? iry bonds, ? 3-4'?.??.!; Baltimora and Ohio, ?SCiiO. 1-2; Baltimore ar. I Ohio, robthwntern, G? in bid; do., income ?. ??. asked; ConroHdated ??as, stock, ca 3-bip G3 1-2; do., bcinls. 6s, 117 bid. BJCaaOBD STOCK MAKKF.r. Binimi?.!?, geanatiee7, tinta HALF.*.?l.o.'iO VirirlnU Crnfiry nt fAttJg, it,.?staateg t?innmn ? r te-jiy: COVKBNVVtrsKTMTlBl Ma, AskoL t littet! Stai"! 4?. Ill hT.UK BBOttBTima BertaCainBn *'?.? i?4 ???p??Carolin?? Fa.IttT V.r?r.lsu's OttSS). :."?!?? 7d Cnianaa. ' I ", s . ? voli nu 4 Va..?., ? MJf |tt7W c'iTv ? ? r.iTir.s ? ? : ftty FI.. l'?7 Btehatead cur *> ?.Hfl Itlctiiiioradi-ltrae tlP'.'l an 1 later) ill ? ? mamen... tot KAii.soie Bene, gttanta ? i Chan ?? IB t ?..... i gfl Atlanta ar. ? (Barbate gre* to. ???. it..IO? ci-ir..?. L ?.? ? lana im Fi G, ig? Char., ci. ?"I I Beasi? ? G? 0_ ti ; t ?, mirati ? UrooerlUO let ?'?. p? ?eorci? rnahV 1st Fi.llgtff Oeergtegeuttana FB. IB tri.. Ittfl nu ? ' Il ir^' t la?? ? .?'?. .. l'i'.? potot?enrg (Cteaa B] os..Ili hnr?inn.ih. Amerio ?s ani Bbat? .? I BT>.. itasra aaflaar Fi. o e pta| W'f'trii North ktentttttt i?l ?*. (1U14). HI BattaOAl g? '-. i>r. Atlanti fin K'hurlolt?.IM ?.'.l?. Pttereitu.-f.IM ... 101?^ Bmanaa. Imeeeteteeen * ?.?,????"??.. ,,',?,'?'.?"'!.... IM lid St un -in Ifitl.tiy, t.ro? t? ? I ? ? 4 1 If Bitttttem aaBttey. onmmt?.ltt |gt| Bam I (<; .?,.,..' llatiV;. ' ? ' ", ChyBeak?... r? M 1 dilati bam.'do ~7 BatloaBBamB ?trgtehb.M.IM ... 111 ieoailif itsnt. tM ... no BateneakB VArgteB.IM 1-4iva ??? Batanhaal. M 111 Virtflnif?, 1 rast 1 nt ? vit _.?UJ 111 Is ( IABC81 "in?.? n... ftogtetegteM. ??.'?> io 20 BM p t unten? amarina ltsbacoo ??., rr^v '? rnd. tM IBS ilfl A (neri.-.vi 1 Wh? M ( .v. I ?? ????.?.iOO H? GBAIN AND COTTON EXCHANGE. BICHBOND, V.\.. ? ptember 7, IBI. Offering?: win at, LB) buabela, Onte, 4o bushels. Sein! Wh. ..t, fffg baafg?a, oits, 4?) bushels. tigberrj G mi .? 1, ? |67 ;?':?'::- ? 17 . ".o 1 red, Be. t Orti White, Vit,.?; ?, 42c; ?a ? white, Be.; No - mixed, Oc, Oata - No. li .1 i--'?.; No .; p . 2c.; wlnti : ai i. S3 ? Be ?>?? A. J...C. RICHMOND TOBACCO MARKET. RICHMi ?Nl '. v.v. fl ptember 7, !???".. No auction .-aies to-day, an*, private uli ? II Itevi ? Cigars and < ;gar? ettes, g3.172.7i ; toi ... Total,. for week: Wr i| per?, I !; smok-rs ? .'. ,',.rk I '. -? .. :. rear. I: v. nue ? reek: Clg n ; I ? ?. : ' Lane sale? ? f bright loose may b? i\ peeti ? anxt wee?. NBW FORK PRODCCB MARKBT. NEW rORK, Beptember 7-Flour-Dull. Easy, Winter wheat, at low prices, fair to fancy, 75c; Minimizing, $1.75; Intents, $1.75; Cattle, dull and more to fair, to 1.1; Cattle, steady, May, $1.25; prime, $1.25; No. 2 white, mixed western, $1.25; Hogs, steady; shipping, compound, 4 ii.?'???? Ork- Firm: moderate demand; old mess, tld.25?276. It. r quiet, best grades steady; State dairy, l'o'S l-?'??; creamery, la i-2'ii.ijc.; western dairy, 1" 1-?'-"?: i.U'ir.-. lSc. Flour- Firm; western fresh, 14 r. i-2c; do.?. r. -?..'- 14..'). Weak; cuy. 1 1-S^1 1-ic; country, 1 111 1-2.?. Cottonseed oil steady; crude, 2lc.; yellow, 2c.; do., go d, 6fr grade, 2:, I I. Be. Trol urn??Quiet; refined, New York, G Philadelphia, 17.B; do., in bulk, Quiet and steady; strained, common to choice, 1-?/H-W. T.rpenUne-DuU end easy, at 27 1-24/1 2-s? Klee? Firm; domestic, fair to extra, I 7-s. ic; do. J ipan, 4 l-4c. M [ara? F reign unchanged. ?Off? '':?ed,.l"t:!'?? m!, t.?4.?); rpot Rio 'lull t>l)t????'idy; No. 7. 10 2-, r 15 7-Rc. Sturar? Raw, firm but?lull; fair re flninir 3c; teline! I'.rm ind fairly active; off "a " S I '''r'' "A. 4 l-4?l 4 T-M??'? cut-loaf. 4 7-s?3 1-lCc.; cmshtg, 4 7?? ". 1 :? t '. er molate?,4?,,.(, ? at? te Liverpool?QtiVt and nominal; cotton, by eieam. 3-j;i.; grtttea by " simi'tiTti fresh fruite: Peecbn pretty well cleaned up and \^\. Watermelon? In moderate demand, bul tirm on light re? ceipts. L'l'it arrivals of sweet potatoes, and lirlC'S BU*I?!??<1. ivhches-Carrler. ll.aK(ji$3.M; do., bask-t. ^otet'oe'e-eweet. fUWrc.25. CHICAGO PRODUCE MARKET. CHICAGO September Interest in the wheat market was distracted by the vast races, traders paying more attention to the bulletins on the popular event than to the business of buying. Brain. It was hardly to be expected that with the loss of energy from the diversions mentioned, and the half-filled lay seen. Prices would display any disposition to advance, farmers, the prices would display any disposition to advance, farmers, the prices would be higher, but upon the contrary, the market closed. Closing cables from Berlin and Paris, there was a second re-troagression, from which there was no recovery up to the last. The market closed. Bradstreet's reported weekly clearance from the coasts - - '.) many they were, compared with those of recent years. December closed at $4.50 per bushel, under the lead. Cash prices at $1.40 per bushel, under the lead. COI rani rn v.- is 1-??-?. Within that reatrtctad Umtt burl? *? of dui? r. -.s tint - x; . ? beeam ? ? re ?'? ; tr? nt ? ??. u . the ' ' ? si ,? ? ut strength being somewhat pusxfJog. May corn openvd at -9 ?'-'??. s ?M at 20 Ht, and ? I ?>? ? at '-.? 7-*?. ;? shad hlfrher tfaa p Calh a rn a .s i-, ?- r bu fa? i i wer. ? ?at??The ?ai-i ? ark'.f waa In a ? ed st it?. Thi ? ? , . ? hi i..?. b in in the recent ? ist were con?'?.,? i<> absent to-lay. and price? dragged through t?o- aeaatoa in a somewhat Indifferent mai'r-.-r. A fair amount of et^adlnesi In t B* was > 1 . "rvt d. tr ? la Htoide hlth-r than vest? rd.iy. Casn oat? arerei M? per bushel lower. 1T\ ??i"r,s-rrodurt decUned at the opinai;, prices afterwards r rnninlng un? moved through a lack or trade. The k - ni.ik.t v,n tlrm and hiK'ia r. and should have argued lor a ?????;? feellog in pro? visions, but there was no demand, and r.t that reason sellera were ?bilged at submit to reduced yuomtlons. October p'.rk Btoaed I-oc. lower: October lard 2 I-:??, tower; October ribs pic. ? Domestic ?tiark?t? wr?? QUtet nnl ? ?; er. The leading futures ? in... ? as follows: UpaatUg. HlgDM'. love. ? , .-. Whfat? *apt.Bate [,H\i 68 68 D*C.''?"??? fil?V? ?'?Ma?< ft?3<? bay.?Ul* O.Hfja'-? 03'4*4 ?3*? COM ?"????.-""Vi srua 32???.:| 3*i pet.U ggU M :ivu g** .!H?t *?H -?*H VKH May.'."..?i 3li?t gtajg SOU OAT?? 'i'1.-i"4 tP'i 19 ini? .'<.ISM MM l?H In'i ???.-"? '-?!? 21 BUM Poag? V '.* MS ? "?4?? ? >':i'ii ? ?4'. Jan.... RT?M RTSM Re??. !.m;i ?c*..."'.'.?? ass ass asa ?"?". "-?Tii 6.97)4] j.wrvj 5.t>74 ?? Mil - - oat.?..'? are Miii ??a. B.00 B\&Qi -i.iirvw?.?? '? quotations vre as tottows: Flour ??a ra WBI nothing at all dol?? In tb? market No. 2 i-prim " SO. 2 red.1 -4c : ISO - u-, 1.. i-i? G?.' ry*,.. i'.rk. I* <? ?. :?.' Si?? a? '? ... salti! ihould r?, B5.63 1-2. Short ciYSr Bldt? l'i;'?... >'? bli..*,. '* CHICAGO LIVE-STOCK MARKET. UNION STOCK-TARDRY 11,1-.. September b r '?. -Cattle?Receipts to fa? id. Market - mi p to? atre steers, I It <-s and (fed : -, |2. ? ti 6.70;? ito? J< .?..???. \i Ml?a? ?;. -...?? Is, \ -?i h ad. M . hither; heavy packing ?? -,?,,. ur.mon toehol - < 11 S : cl!? a-? ri 1. 14.3. To d:? '. lami -, i-, BALTIMORE PRODUCE MARKET. BALTIMORE, MD., October? Weak. An low r: No. 2 re 1,? pot ? |?., ?. Decembi r. iii.i^..-;i!?;?. . '?! : I '.. : - u t h - ?ample,?.. un? I] : mix? I..?" Ot, I il? l-4c.; er,?? ;?'' t?lier.?Me. year,???????., j mi??ry, . southern, white, Sx.?.; do., rei low. He. ? ?.? l'.rrn; No. 1 whit- western, : ? . No. '' mix d, do., -? ? ? 1 .. I.' ?? l'ai!; No. :'. 41' Hay Firm Bt $15. Orata Freight* Steady; cotton fitm; im ? Ile? s l-4c. and firm St 11 l tafite ' ; ?.? r artici -m unchanged, CtNCrNNATL CINCINNATI, O., B pt mber T.?Ptour . ? receipts; wlnti r i atenta, ; prlng patenta fi. ???'??,,.?. '.? tieal . ? idy; No, 2 ? -i. >'?.:??. Ci in .Market steady; yellow ear, tra'k, ?Bc.? white, ti ' k. ?, Oats Quiet and tlrm; No. 2 mlv !, traik, :>,:*'.c. No. 2 white, track, 2t?.??. Port ?. m active and Hte.-piy; mesa, : ? eh ir mesa, RIJO; family, $11.7). Lud Basy; fair demand: ateam leef, R ". heme, SUO; prime ateam easy at .?; in !? ? ite demand; Irto*.. lera, ?.",.7",: lo se ,?h"rt riba, 1181: a p clear lid t, ttM\k', box???! Bry-Salted m? it? Basy; loo * shoul dera R.8>; 1? ose ? bort rib? t- -."',: lo? ? ? abort di ir, ;???-'., b u ? Beato wortta YTtalskey?Steady ot UM. ST. LOUIS ST. LOTJTB, .".?. Beptember 7 -Flotir ; ? ? ?.? . < ' V ?*' .". extra farcy, y ? ? rat?fi ? iher; Bepl m! a, IJ'A??.; May, 2'.?. Standard me?? Sta I , -?,... ? . ? ???? ?. i i; e!, t ? -' ?- ; ? .'-; "'. Dry-Salted Meats Shoulder? V>-^i: ? High Win? Steady at V-22. Tll'l COTTON ? ? li Ivi ITS. LTVRRP ?Ola Bepteni ri Noon Cot ton?Demand limited; prices Arm; Amerl ? ? ??;. Bab i, "?' 1? ?lea; America ?, 1,600 b ? and export, ?'-?'? , . ? . open ed \ in middling, 1" ? Bepl ??:.??. G and ' ? : ? - ? Noveml r. I I r and De ember, ? 15 Ri l li '.? I.; ber an I Jan ;:'.'? ?. ; .1 inu iry ;.: i February, 4 1,?' I lMMd.; ? bruary ani Marcii, ? i:? ''il.: March and April, ? Id. Kuturea cloa-.i etoady at the a aval. ? :?. M -Spot cotton?American mid? dling fair. 4 7-vl.; good I 7 II 1. ; ! ".? ml ! ll,n?.;, ? t.; ??? ? ordinary, I mber, 4 lMtd., reii.-r?; September ????G, 4 ??;-04??.. aellera; Otol ?. ? '.' '? , ? ISdtd., sell ra; No i.ii 1 December, 4 l*-*4d?, eelers; ; aber an 1 January, 4 17 Mai i< thi , ?. January ar. 1 Pehruary, ? 19-otd., value; February and March 4 to-tMd., huyere: Mareta and April, ? "?-???., bur ers; April and May. 4 S-4404 .-'.-.'.id., setters; M :>? and Jim? 4 24-?^?!., ?eller??; Jim??? an 1 Ju.v, 1 ?-'^liI.. buyers. Kutur-s clos? d fiulet and SO NfcTW TOR?* Bejoterataer 1?Cottoa galet an ? Bteady; mtddung Gulf, 8 l-^c; mii dling 8 l ic. Net and n-'ross receipts, none; exports to Ore? Britain, SM bojee: t?> th.? Coati? ?? ut MB bel**: forward??!, nene; aale*, ?11 bal?? all ?jiinners; stock, 1^9.7^) bales. Total* this week: Net receipts, 1.?46 bale*? soporto to Great Rrttoln, 'x-i bales; to the Continent, 2?7 bales; ?to? k. S-J.W Totals slr.ee September 1 : Net receipts. 13.111 bales, eX|>or'n to ilreal Hrlt-iln. Hll balee; to Prar.ce, y> bales; to th?* Coiiit :? bales. Market ctoeed rteodv; ea?.s. 96 ,??? bol? ?; ?entember $7.93; October, $7?.?'. November, ? ? i ..-.? rut. r, vi": January. 1-17; F-b ruery, VtS; Ma;, a. $s.:7, April, Btrj; May, p, || Total visible supply of cotton fir the world 2 2.v.."?y bato? of ?rhlch 101144? bales are American, against l,313.diW and ?...I?.'.-.?, bales, i?-? cHyely, Is ? yehr. ,.. .. ,. of ' 'tton th!? we k al all ln tortor town? O.W0 } i|,?s? Reeelpta from the plentallonr, UvSR bales. Crop in fifc-ht. 2-..?? : NEW ORLEANS, September T.?Cot? ton?Futures closed Bteedy: aatoa. SMOI bales; September I7.R; October, |7to; .? - $7 87; December. 17.89; January, $7 94r February, 17.*?: Mar.-h, $S?X.*; Agrtt, |get? May, $sl?: June, $8.14. naval stock MARtaTRTR WILdilNOTON, N. <?'? B*pt*aobae 7 ? rrm; strained, RJI 1-2; jpxid etrain Bplrita ?f Turpentine?Firm; machine, ?- : Irregular. 2? ?-8'? Tir-Flrm at $1 27>. ^ _._ Crude Turpentlr.e-eteady; hard, $1.10; loft. $1 ?r'i; virgin, $l.?? CHAIILESTON. 8- C., September 7. Turp-nilne?Firm at 24'iC bid, receipts, 19 ra-dts. Losln-Gaod stralr.e<l Arm at $1.10. 8AVANNVH. OA.. September 7.?Tur pentlne-Flrm at 2i<?.; receipt*, 1.0(53 casks. Rosin-Finn and unchanged; tales, 2,?"?) barrels. _ ^.? WH*. ??'" ?? I LU I, BOOK ANT) JOB PRISTINO NEAT LT KXECL'TRU AT T?g ?toPATCd TiUMLNv.-UuL'a4> ?: mum?; imi ii u.km ?:. MIMATI UK ALBAN AC, 6?G?. S. IB?. S':n ri-e, .| p HIOH TIDE. Sun sets .I:? Morn ? ??.?il Moon rises .? ?; Eve ? Ina..7:17 MINIATURE ALMANAC, Bts?. '? Sun r>.>? .Aie MICH TIDE. Bun ? 's .UrMernlng.7:? Moon rises .laT'Bvenlng.?:??) PORT OR RIOHM->NI>. SEPT. 7, 1888. ARRIVI.?. Steamer Poco bont??, ?.'?raves. Norfolk. merchandise ind pa igers; it ?in Weist? tjcr, superintendent. TORT OF KHWPOBT SKWS. BBPT, 7. (By telefruphv.) 8?1?.?.!'. Amerlonn steamship orlen, B^ton. r .' OF WSBT POINT, BBPT. ". 1895. lily telegraph.) ARRIVLD. Bteamshtp Dombnter, Barker. Provi? dence ',?. Norfolk tri Newport News; p.msengers and general care". t Steamship Richmond. ?Jliyer. New York; r tragan ani genual canto. S*r.vn?hlp Chatham. Johnsen. Baiti I mor?; passengers and general c'arco. Bteamahlp Charlotte, Ntckle, Baltimore; en and general cargo. HAH .KO. Sioirnshtp Dorchester. Barker. Balti? more; javsongers ani general cargo. Steamship Charlotte. Ntckle. Ualtimore; m*nngera uni genera! cargo. Steamship Chatham. Johnson. Provi? dence via NVrfolk; passengers and gene? ral careo. Str.nishlp Richmond. C.iover, New York vta Norfolk and Newport News; passen? gers and general ntSgo, -:-'-^ FINANCIAL. p?? thi: fihst-mohtoaoe bond OOLIEKSOFTHF. SWASNAH, AMERICUS AND MONT? GOMERY RAILWAY : Py tho terms off the plan of reorgani? zation, adopted by your committee, gun are entitled to subscribe, at par ar.d In? terest, to the extent of CO per cent of your hoMlugB of Di?'. 1 : : . to on Issili cf gi.irr^.ts.?!. ant^coftffpfi anfenam j ?? r mat lifty-yHUT poli* bonds of tho ? and AttabUAtttt i.uliva;.?, receiving as a bonus P> pi e ..t. iti tlrsi-mcrtgage consoli: ? I I pw en . I I !s, ? pee cent. In ptefottOd btock, BBd IB ? t I 'it? in ? mnoB Book, Circulars Bteittg t'? tailed Information and terms of inmcrtpttett can be had t.j'on application to th?? undersigned, or te JOHN !.. WILLIABS & BONB BJch? moral. Tit?? right t.? mbaerlbe win espiro st 3 o'cloi'k ?, M. BEPTEBBEB Ittth and ail bead? aot tak? a i>y the bond hold en ?arili i? i"' tted ? Ute ry dielt?.? which : Bttderwi Ittm th > am BALTIMORE TRUST ARD GUARANTEE COMPANY Agonts 'or ??t?????. ?aaeiisM ?m Montgo tii? s Beorgantnttoa?? muut'.oe. [an agii WE CAN Invest Your Money Promptly IH Good Real Estate Notes, SHORT OR I-ONU WIR MONEY PROMPTLY INVESTED, Ue have a BtXH? UBT OP MOTBB BOB OB ham', ahieh a?an offering at QOOU u.viKd of in rgaaiT. INTEREST ALLOWED ON DEPOSITS at the rat?? of 4 por cent, per annim trotu the d ? ; ? ,.'?.:-. THE FINANCE TRADING CO,, IIANKKI.S, 1018 Baat Main ? tratti _[sn htt_ ? OU SALK, A FEW SHARES OF BOHL'S CIGARETTE MACHiNE STOCK, ' *hlch la paying aa ANNUAL DIVIDEND Twenty-Five Per Cent. per annum The oaaeBtee? ???> ???p.? ?? \>? ate Arier: im rebecnl eoi puny, a ai the dividendi urn ?:? ? anni losrterlr. Call ou u t for ?nil !n tetmattoa. .-t ol ? I:l ; ???a?'??.?.?.?. Dime-, tag ?'.', k.trs, st<H-1t _ Bo, 1114 ??si Vain street, 6 PER CENT. MONEY in any ?mounts, from V.OO to tlo.O?". on han ? to LOAN ON CITI ou BUBTJBB? AN iu:.\i. BBTATB. Chanjm anHtemte.. DENO '-".', ?????? A co.. ? "?-it_ici Bate ?tent 120,000 TO LOAN. ON LON ; TIME on Richmond city real c || Ii n ? a.-? ? whol ? or divi le Into small..- sume ??'? "'?' G< >N d CO., .. "k .. id ??nO? streut?. * rvu U:nl>. ? l.OOO. $ 2,500. $ .'1.000. 8 ?1.G?00. ??? ??,000. Dr cii.AUi.E9 a. BOBS Kent t?tate ?od Lan?, ?e ?M t il north 1 eutu street. I MONET ?? LEND IN BUhfS TO B?IT 'ti Richmond city un l luburbaa r? il ni ite. J. v.. BLAB ?t ?o., .??? 8-e dit Uli Main atre t. f YOU WANT MONKY AM) HAVE TIIEsKi TlillY como to see us. and you cun get It with? out delay. POLLABD S BAOBY. se 8-lt No U north Eleventh street. _ MONEY TO LEND ON GOOD REAL ESTATI at low rates of Interest and moderate charges. PRANK !>. HILL & CO. 8-Ct It? il Estete and Loans. IltsiM'.MS CBABCBtt. G?'. BALE, MY BRANCH BTORB, l at No, \? S.-amore street, In? cluding HAR IJCENSE, paid ? to Hay I. ISM ELEOANT BAR-FIXTl'REd. STOCK OP LI'?,' ORS. and QOOD ??ILL OP THE BL'SINEBS. This place has beea conduct? 1 by me for the past ten vara, arai satisfactory reasons ?:??-? for ?elllnR. L'nexampli l opportunity for a pushing min. with limited capital, to ?-cure a ffijotl-puyln* bustoen; or will rent lur ? . and it '?'- W a good tenant at nable rates. Apply to IN ?''Connor, 17 Boillni??ruok street, re 8-2t_P?tersburg, Va. POB sali: MY OCTTTATION BEINO HVCH AH to exclude hunting. I have TWO PINE OUNS tScott and Orremrr mak t. ?? m BA?.K ehe.p. Address GUN, Box 118. city. _ ??- *-1:* _ -_.__^_ fUBBItBBfi MI?I.II.?, w.AGOftl, a??. \\T l. ?MITA, CdFeU? y ? ? :il4 MJ^TIl riKTH BT.. ?? '--Wl lini the latest TRI Is selling the Ulcsi designs In l Alvi. ?L'RRY?._ IHAETONS, Bl'OOIES. ETC.. | sl eloelne-out pr!?-??. See my stock ??..for? j purchasing elsewhere au S-lm ri*lA*ICIAL. CONnDENCE BRINGS BUYERS. A atrons; f?vitur# of the me-V?t I? pub'.lo confidence. Th,? belief ?a general that ?m pi iM'in.nt In trad* and Beaaaeoo will bt perm ? ? ?nt. NEW MFVPttS AUK ?''??G?? INTO Till?; lIAHKirr, AND TH'.. ? MANU POR STiM-KI ANO BONDS iS STEADILY OROWI <0 Write for our "4-XM'AOR MANUAL," must rated with railroad mapa, giv.nf ? Information of all lUIl. ; ?\?? and INDUSTRIAL prop.Ttl?*, tnebil.ng I IkV ?t and lowest prlcrS for a erri?.?* ? * ? a to thirty y**rs of Stocks, bonds, grain, and cotton, und alio the methods ?>f buying ani seHlg| on margin. ranTjbTD cuatis and mailed free. stocks, no xi)?. fttajsaVsllj COTTO*, Tr*Rovi*io*e bought and sohl for canh or on a margin "t z to ", nr e nt. Commission, ? M Di'TiiioiiMv?! t??? fixas? tu. rk? ??'????p?.?t? of Till! FIRH with uiiidi v??f nr w. is A? ???'??????? AS BKIKl ri\o THE III?.II f STOCKS. New York National Lank reference* furnlshe.l. Twenty yanrs' exnerlen?-?? largeit clientele, most commodious ornee? best brok'rage aervlce. H?IGHT&FREESE, BANKERS AND COMMISSION STOCK BROKERS. G3 nUOADWAY, NEW YORK CITT. BRANCH OFFICE. 1132 rtroadway, next to Delmonlco's. ne*g Twerity-elxth atreeL DIRECT wires. **%-It_t MONEY TO LOAN AT ? PER ?'??G IN' ANT AMOUNT \ou wish. Apply to T. fat. WORTHAM A i'<>. Real Estate and ?,????. te 8-Su&W:t Tenth and Hank. First - Mortgage 6 Per Cent, Fifty-Year Cold Bonds GEORGIA SOUTHERN AND FLORIDA RAILWAY COMPANY. Inter??*! RstjraMa .Iiinuurv nnil July In Raref York nr llu 11 linori-, m (lie Option of the llol.lt 1. Total gsgqsjol ol fataBBdaaaae i? i,?m>??, ?mm?, of Which faaObdaOB Are Ite ?.t'ami lu liiH Treasury ill tbo tuiiiptiny for future llciielre Boeai*. ?.?????? ??,t??,??? iloinl. ?Iiil.liii'.dnx. Then o ore |t.C"i> coupon-bonds, with privilege of registration of k<r?n I pal, ami nr?? secured by a first mottgag?? on the entire property of the company; i>?iti? principal and inter'st ar?? payable "la gold com of ih- United K?a'ea of Amerl ? ?. of th?.? ? ?. -? nt ?: uidi'rd of weight and tiiw neas, ' and "without am' d dui th D tor notional, Btate, or municipal lates" \ ? ? trolling Int? reel in the ro ?d has recently bton purchased bj the goutbern Railway Compony, and It will be run In connection with that system, - loins? al M icon, O?, exf-ii'llmr to I'alitki ria., u dtotooc* of 2*-'? ind.ii Of mein Hi - ?\.lh .irti| Im side-tracks. It i.v.iij lir,?.? ond \ illuni.1?? terminal pro pertle* at both Macon and I'aiutka. be? ato? ?? about, one mil?? <>f freaiog? on the Bl J' fan's river. These terminili am ?att? iri u.? ! lo be ??? th fully ?/O.???. Tii? roadbed Is In good condition, an?l l< laid wh ? pound sie?! rail. The road Is wsll equlpp?*?!. e? mpaiing favorably in lint r epect with the Plant system, R i board Alr-Llna, an-i Atlantic ? o**t Lin??. The trafile of the road Is diversified, ami l*St**d'.y lnen-aalng. The ein,Inge fol th? year ending June ?? IBst, wan Gro?"! ? imlng* <t'2.sr>S per mil.??... .tMt.r.tf <>p rating eapeoeee.in.?** Net earnings .IS?B.a'-? Interest on *:,7'??,0?? (outstanding bonds) . Itt.oot S'iriiliis ovr fixed charges.I t1..V.K Th? - ? earnings were made before thl road became a part of th?? South-rn ays. tern, und alin"St ?*ttrely troni local hud? t.-s.. and In a year of not unuaual proa? e? rttj. The earning* for l?wi and 1R?4 were |X17.? ? poi OST reepectlrerr. Th?? connect?* with th?.? ??->??????t? ral!/ rood system will b* of great adven? tag* aa II will anabto the- Georgia Mouth? uri an I l'i .rida to h.mdlii a lurge througl buelni ? heretofore thrown ov??r ?'th ? line?, thus enlarging ita trafilo and In? creasing It-? earnings. ? ho following laide, takfn from th( litest ?omparatlv.? repon* obtainable, || interesting aa comparing th ? ilr.-d mort. n??{:?? bon?!* of th?? Cip.rgla Southern mil . ? tth the*? ' f the ?' ilumbl* bm Oreenville, Qeorglo PocISc, and fVe*t*rs N'.Tth Caroli*? Whlcfa ar..? slmihuly situ? atad with regard to the Southern rail v.-iy. >.!l bin.' controlled and operato?] M parti? of tne Southern rai.way h>* ti ra; aaar? ? Ml. IngS Pil? :- tar- Honda i'-i A ?; Ing, I'.T Milo IBB?. Y ii. Mlle. C.dumbla ani Orcen - .HS ?14 ntOM t! Bg ?., ra ? ? ?-?..? nrrtim u? .1 .? u .?..?, ?._?, Weatern N. ?.' firsts 115 19 12. Sto J.:?;; . irte Orata....Ul 2???| 10,009 3 ?\ rhe er at par und ac? Inter? ?1 subject to sale or S'I.miici In prl ? I ? ' " of ttie abov*-de*erlbe?l \ th? '? rgrl 1 He ithcrn an 1 Klon. I way ?Ompany, arid connd. atly re? ? them ' ' ii'v ?tor* M VRYLAND TRUST COMPANY". p?? I p iltlmore, AM MONET TO LEND AT ALL TIMER, ON CITT OP RICH? MOND REAL ESTATE. x w n.'iWK. au 2"? Iy No 4 north aTtbrVeoth n'r.ut. MONEY LOANED"" ON DCPROYataT) CITY RBAL I^TATB at 6 per cent. No oomaslaatotM i?or f*e? for truat deeds, nor for i-i-i.^-dlrac Q. ?. ????. 8[>ecla| l/ian Agent, Northwestern Mutual Lire-insurance Oa J? :- ... L'i east Main etreet. CltlCAI.O ll?) till) UK THADK. As many c??mp!atnta ar* coming to th* Chlo?*?! Board of Trade ahowlng that 04 r. aona Intending to deal In grain and pro? VMtona through memb-ra of the board, and Mubj et to Ita rult-a and regula ? ?? ? .1, un? mUl'-d Into d-?l?r. ? with peraon* or r.ra, - who have no connection with thla I nd the public ?a cautioned again?! dealing with ?ucti person? or t.iinv ani I?, notlfl? 1 that Oi-orge p. Stone, 8-cretary, will answer any lixjulrlee as to ?h-th-r any partlculsr persoA or Arm Is o mem? L? r of -ui' 11 !?o?i '. QROROR P. fTONK. Secretary. au 2&-du?m THE 8C ALTER, ;i page* Se. AH about making money m and ??".-ka t,y "acalptog th? mar? iet' on margins jV M to li.if.). licit metilo?! yet. All sRUperc make money. I.ANSINO A* ?' >?. ll? Qulnqc street, Chi? cago. Write for m*?k?t I tfer. published 1 - ?? rij/;_?eg? Built "HINTS ?? INVESTORS AND HIil? ""? LATORS" 'fifth edition; sent fie?. H plainly lnd!eat?at the b??t and stfeat waf to mir? m.iiiey quickly t>y st?x-h? ai. dress LANOD0N ? 0??. Rankers, ?? 1A ?| atreet. New Y?ylc_to li-?ultt ??Mil AM) ll\NKi:itS. JOHN L. WILLIAMS & SONS RICHMOND, V IRGLI I A, DH.'LKKS IV INVESTMENT SECURITIES. Plrst-C!ass Inventili' nt ?securities boughl and ???. Railroad and MuBlcloal and Street Hall. way 1-?????? ueffotuteii or purcbmiad out? " "letters of credit furnlahed, avallabto in ?II parta of th* world.* ?y to-Tu.ThASa.
mmoiresetjournal01will_16
French-PD-diverse
Public Domain
Mon fils Pierre-Alexandre a dessiné son portrait au crayon rouge etlui a fait présent d'une tête dessinée de même, re présentant une Vierge; Tune et l'autre très-bienfaits. Tout cela lui a fait un plaisir singulier; aussi notre séparation m'a paru lui faire de la peine. Mes amis de chez le roy de Danemark voulurent absolument me présenter à ce monarque. J'en fus très-flatlé; mais, ayant observé que la foule y étoit constamment très-grande de toutes sor tes de poètes, lettrés, artistes, gens de métier de toute espèce, qui présentaient de leurs ouvrages en vers et en prose, ou dédiant tout ce qui pouvoit porter dédicace, ou offrant pour de l'argent ce qu'ils avoient de bon ou de mauvais, je changeai de sentiment, d'autant plus que, parmi la foule, je ne voyois que peu de personnes d'un m JOURNAL mérite reconnu. Mes amis n'étoient pas contents d'abord de ma résolution; mais, lorsque je leur dis que je ne dé sirois nullement avoir Pair, aux yeux des autres, comme étant là aussi pour tendre la main dans l'occasion, ils ap prouvèrent ma délicatesse. Le 11. M. Kobell1, peintre de l'électeur palatin, m'est venu voir. 11 m'a fait présent de plusieurs desseins de paysages de sa façon, faits avec feu et grande facilité. M. Texié, trésorier du roy de Danemark, le dernier de la suite, de Sa Majesté Danoise qui fût resté icy, est Venu prendre congé de nous. J'allai a la Comédie-Italienne avec mon fils Frédéric et M. Daudet. M. le lieutenant Mourier a pris congé et est parti pour Londres. Le 12. Répondu à M. Lippert, conseiller actuel des révisions et de commerce de S. À. S. E. de Bavière, se crétaire de l'Académie des sciences électorales de Munich, à Munich. Au bas de la lettre j'ay écrit, comme à l'ordi naire : Gtmsa Academise. Cela fait que la lettre est franche en Allemagne. Je le remercie des soins qu'il a bien voulu se donner en m'échangeant quatre ducats d'or contre autant d'au tres de différents coins. Je le prie d'assurer mes respects à S.E.M. le comte de Heimhaussen, qui en a bien voulu céder en ma faveur trois, qui ont été frappés avec le sa ble d'or des trois rivières de Bavière. Reçu un paquet de livres que mon ami M. Weiss, re 1 Ferdinand Kobell est un habile graveur de paysages : sa pointe est fine, son dessin correct et sa lumière bien distribuée; les petites compositions familières qu'il a dessinées et gravées rappellent les charmants maîtres fla mands du dix-septième siècle, et ne leur cèdent ni par l'esprit ni parla cou leur. DE JEAN-GEORGES WILLE. Wê ceveur de la Uewf du cercle de Leipzig et célèbre poëte allemand, m'envoye et qui ont été perdus pendant plus de dix-huit mois. Mon propre portrait se trouve à la tête de la première partie du quatrième volume der neuen Bibliotheh der scJiônen Wmenschaften und der freyen Kiïnstc, journal des mieux faits et des plus instructifs. J'ay prêté deux tableaux, l'un d'Oslade, l'autre de Wouwermans, à M. de Livry, pour bouclier les trous qu'ont laissés les deux Die! ri eh, que M. Daudet me grave actuellement. Le 18. Répondu à M. Schmuzer, mon ancien élève, directeur de l'Académie impériale de gravure à Vienne, in der Annagàsse. Je lui dis que l'œuvre en question n'est pas de la qualité d'un autre que j'ay en vue et qui est de quatre cents livres. Je demande prompte réponse. C'est M. Georgio qui s'est chargé de lui remettre cetle lettre. MM. de Marcenay, Baader, Messager et Georgio ont soupé chez nous. Ce dernier, qui est conseiller de commerce de l'impératricc-reine, a en même temps pris congé de nous et part demain pour Vienne. C'est un homme d'esprit et de beaucoup de connoissances, et par dessus cela fort bel homme. Le 19. M'est venu voir monseigneur l'évêque de Calli nique, qui habite à Sens. M'est venu voir M. le comte de ïiosenhausen avec M son gouverneur, lequel j'ay revu avec plaisir, l'ayant déjà connu il y a deux ans et lorsqu'il étoit icy avec le jeune comte de Munich. Le 25. Monseigneur le prince de Czartoriski m'a fait l'honneur de me venir voir. Il paroît vif et aimable. 504 JOURNAL Le 25. Fête de Noël, un jeune peintre en miniature, demeurant quay des Morfondus, nommé M. Schlegel, AI ' lemand de nation, reçut, à neuf heures du matin, étant chez lui, un coup de pistolet à la tête par un jeune maître en œuvre de son voisinage, qui ©toit chez lui je ne sais sous quel prétexte; et, comme l'assassin vit que le pein tre n'étoit pas mort il lui porta encor, comme j'ay en tendu dire, quelques coups de couteau. Je passois parla lorsque la garde et le peuple y éloient encor à quatre heu res de l'après-midy, et je voyois mettre en ce moment l'assassin dans une voilure pour être mené à la Concier gerie. Il avoit été arrêté sur le fait parles gens de la maison. M. Schlegel n'en est pas mort, mais on dit que les blessures sont dangereuses. J'ay connu ce peintre. Il est venu m'accompagner quelquefois dans ma jeunesse lorsque j'allois dessiner le paysage; mais depuis plus de vingt ans je l'avois perdu de vue. Quel accident et quel attentat effroyable ! Le 29 (jeudi). L'assassin de M. Schlegel fut rompu vif sur la place Dauphine. 11 n'avoit que dix-neuf ans, et se nommoit Menard. Le 50. Répondu à M. Fuessli, peintre à Zurich, et au teur d'une Vie des peintres suisses. Je lui fais mes com pliments sur récriloire d'argent et les deux médailles d'or qu'il a reçues en présent du cardinal de Roth. M. Fuessli m'a demandé quelques circonstances de la vie de Grimoux *, peintre suisse qui a toujours vécu à Paris, où il est mort. Je lui marque le peu que je sça voisdece peintre habile, mais crapuleux. Je lui dis aussi que M. Chevillet fera le portrait de M. Fuessli en petit 1 Oimoux est mort à Paris on 1740. Son portrait a été gravé par A.-L. Hoinanct, à Bàlc, en 1705. DE .) EAN-GEOKGES WILLE. 395 pour quinze louis, si cela lui plaît. Je le prie de me trouver quelques desseins d'un peintre de paysage, nommé Hackaert, qui a autrefois travaillé en Suisse. Le 51. J'allai à l'assemblée de l'Académie royale JANVIER 17G9. Le 1er. Écrit une lettre de polilessc à M. de Livry, à Versailles. 11 y eut chez nous un grand concours de personnes qui vinrent pour nous souhaiter la bonne année. Répondu à M. Strecker, premier peinlre de S. A. S. le landgrave de Hesse, à Darmstadt. 11 m'avoit mandé que M. Seckalz, bon peintre de cette ville, était mort; je le presse d'éerire sa vie et lui donne l'adresse de M. Weiss? à Leipzig, pour qu'il la fasse imprimer dans son journal. Je lui demande quelques desseins du défunt. M. Basan, M. de Marcenay et M. Baader ont soupé chez nous. Le 2. Ecrit à M. Dietrich, peintre de l'électeur de Saxe; je le fais souvenir de ses promesses, tant pour M. de Livry que pour moi. Je lui dis qu'il peut prendre de l'argent et ce qu'il lui faudra chez M. Rester, qui en est prévenu. Je lui dis en outre que nos deux paysages sont finis, et que j'ay pris la liberté de les lui dédier. Je lui demande encore quelques-uns de cette sorte avec instance. Le 4. Répondu à M. Weitsch, peintre du duc de Brunswick; je lui dis que tout ce qu'il m'a demandé est parti. Nous avons reçu du cher M. de Livry un pâté d'A miens, de six canards, excellent. mê JOURNAL Le 6. Répondu à M. Winckler, à Leipzig. Je lui dis que sa lettre contenant une liste du mois d'octobre et dont il fait mention ne m'est pas parvenue. Je lui de mande s'il désire le livre de M. l'abbé Chappe. Le 7. Répondu à M. Kreuehauf, à Leipzig. Je lui donne des éloges mérités par rapport au catalogue du cabinet de M. Winckler, qu'il a supérieurement écrit en lan gue allemande, et dont l'impression même est un chef d'œuvre. Le 8. Nous avons reçu de Versailles un supplément d'étrennes, comme le nomme M. de Livry dans sa lettre, car il nous a envoyé deux chapons gros et gras. Au matin je fis bien des visites que je devois, et l'a près-midy j'allai, avec mon fils aîné, à la Comédie-Ita lienne. Au retour de là, nous fîmes les rois avec plusieurs amis qui s'éloient rendus au logis. Tout cela m'avoit procuré un rhume si furieux, que le lendemain je fus obligé de faire chercher M. Coutouli, notre chirurgien. 11 me mit plusieurs jours au lit sans manger; mais en revanche il me fit boire tant et plus. Le 11. Je reçus de M. de Lippert, secrétaire de l'A cadémie des sciences de Ravière, trois ducats d'or frap pés l'un avec du sable d'or du Danube, l'autre du sable de l'Iser, le troisième du sable d'or de l'Inn, trois riviè res de Ravière. Le fleuve, ou dieu de chaque rivière, ap puyé sur son urne, est sur chaque ducat, et le portrait de l'électeur régnant sur chacun. Il m'a envoyé aussi une médaille d'argent représentant le portrait de M. de Demarces, peintre de la cour de Ravière. Tout cela m'a fait beaucoup de plaisir. Le 15, Comme j'étois en partie délivré de mon rhume? DE JEAN-GEORGES Wl E LE. ôi>7 je répondis à M. de Lippcrt, le remerciant de son joli présent des quatre monnoies. J'écrivis à M. de Dufresne, conseiller de commerce de l'électeur de Bavière. Je lui parlai de quelques tableauy dont M. deLippert, son ami, m'avoit donné avis. Le 20, Nous avons reçu de M. Bourgeois, à Amiens, un pâté de canards de ce pays. Le 25. Nous avons tous soupé chez M. Basan. Le 24. M'est venu voir un peintre de Vienne, nommé M. Grenzinger, m'apportant des lettres de recommanda lion de M. de Sonnenfels et de M. Schmuzer. Celui-cy m'a envoyé un ducat nouveau, au coin de l'empereur, et M. de Sonnenfels son discours (imprimé) à sa réception comme amateur à l'Académie impériale de dessein et de la gravure. Il est intitulé : Von dem Verdinsle des Por tràtmalers, c'est-à-dire : Du mérite du peintre de por traits. Le 27. Bépondu à M. Guill. Steinauer, le jeune, négo ciant à Leipzig. Je lui dis que j'ay fait remettre les es tampes qu'il m'avoit demandées à M. Vauberet; négociant, rue de la Grandc-Truanderie* Bépondu à M. Bause, graveur à Leipzig. Je lui mande que la rame de papier qu'il a dessinée a aussi été remise à M. Vauberet. Ma lettre est dans celle à M. Steinauer. FÉVRIER 170!». Le 4. Ecrit à M. Schmidt, à Berlin. Je lui demande encore de sa Fille de Jaïre et de son Philosophe, de môme qu'un dessein de sa main, pour ma collection. 308 JOURNAL Le 5. Répondu à M. S. Gessner, au leur célèbre cl libraire à Zurich. Il m'avoit envoyé une lettre à M. Ma riette de son ami M. Fuessli, auteur d'un grand Diction nuire des artistes, écrit en allemand; et, comme il va donner une traduction en François, il a consulté M. Ma riette. J'ai été moi-même voir M. Mariette, ce célèbre connoisscur, pour lui porter cette lettre et m'enfretenir avec lui; hier au soir, il m'apporta la réponse, remplie d'excellents conseils, que j'ay mise dans ma réponse à M. Gessner. Le 6. Répondu à M. J.-P. Ilackert, acluellemenl à Rome, où il est allé accompagné de son frère, peintre comme lui, pour y faire encore des études d'après les monuments antiques, par rapport à son art. Je lui écris en père, car il a constamment écouté mes conseils, et je suis aussi le premier artiste de sa connoissance à Paris, étant à son arrivée débarqué chez moi. De grand matin je pris avec moi mon fils aîné et M. Daudet, pour nous rendre à Saint-Louis dans ride, comme nous avions été invités pour assister à la béné diction nuptiale de M. Chereau, fils de madame Che reau, marchande d'estampes, avec mademoiselle Foix de Yallois. Presque tous les graveurs de Paris s'y Irou vèrent. Le 17. J'ay acheté dans la fameuse vente des tableaux de feu M. Gaignat, secrétaire du roy cl receveur des consignations, deux superbes tableaux faisant pendant, de N. Berghcm Ils sont de la plus grande conserva lion et ont chacun treize pouces six lignes de haut sur 1 N° 42 du Catalogue raionné des labïeaux, groupes et figures de bronze qui composent le cabinet de l'eu M. Gaignat, ancien secrétaire du roy et re ceveur de > consignations, par Pierre Rnny. Paris, 17(38; in-12. DE JEANGEORGES W1LLE. 599 dix-huit pouces de large. Dans l'un, on voit cinq figures et treize animaux, dont une femme qui trait une chèvre; une autre est debout à côté d'une vache, une troisième lave du linge dans le bassin d'une fontaine à la romaine. Dans l'autre tableau, il y a trois figures et neuf animaux, dont trois vaches entrant dans une rivière, qu'une femme y mène qui est sur le bord, et un chien sautant devant elle; derrière elle on voit une belle vache et un homme sur un âne, etc. Ces deux tableaux m'ontcoûtéquatre mille cent une livres; ils mériten t ce prix, car ils son t des plus beaux et des plus finis du célèbre Berghem. Ils ont appartenu autre fois à M. de Voyer d'Argenson, et occupoient une place dislinguée dans son beau cabinet, comme aussi dans ce lui de M. Gaignat. M. le chevalier de Damcri, M. Ma riette et plusieurs autres connoisseurs et amateurs de mes amis, sont venus depuis pour les examiner de près, élant placés chez moi. J'ay assisté constamment à celte vente, sans avoir eu autre chose. Ce n'éloil pas faute d'envie, car, le jour avant l'acquisition, j'ay poussé un tableau de F. Mieris à trois mille cent une livres. C'étoit une demi-ligure qui présentoit une gimblelte à un perroquet. Et, après mon acquisition, je poussai un tableau de G. Dow, représentant une jeune femme à demi-corps, tenant d'une main un poisson, et étant appuyée avec l'autre sur un baquet. Derrière elle est un garçon portant un lièvre sur les bras; des choux, des carottes, des paniers, des pots de cuivre, des mortiers, etc., étoient, avec un bas-relief au bas, les accessoires dans ce charmant tableau. J'ay poussé ce tableau à six mille deux cent vingt livres. Après cela il fut adjugé à une personne qui avoit commission pour cela, et il doit pas ser, dit-on, en Allemagne. Je le regrette. Comme celle vente se faisoit dans la rue de Richelieu, 400 iOUANAL c'est-à-dire loin du quay des Augustins, j'y fus toujours accompagné par M. Daudet, qui demeure chez moi et qui aime infiniment les belles choses; je revenois ce pendant plusieurs fois dans le carrosse de M. Mariette, car le temps étoit fort mauvais. Ma femme et mes fils ont marqué la plus grande joie, lorsque j'apportai mes Rerghem au logis, de même que notre ami M. Messager, qui s'y trouvoit et qui aime les talents, Le 25. Répondu à M. Oeser, directeur de l'Académie de peinture, à Leipzig. Le 26. Répondu à MM. Gotlfricd Winckler et Thomas Richter, négociants à Leipzig. J'ay parlé beaucoup à ces messieurs de la vente du cabinet de M. de Gaignat, car ils sont grands amateurs, et chacun possède un superbe cabinet* MARS f769. Le 4. Passant dans la rue Saint-Martin en liaerc et apercevant un dessein en vieille bordure, contre un mur parmi de vieilles ferrailles, je l'achetai en revenant à pied pour cela. Il est très-bien, et de M. Galloche l, que j'ay encore connu. Il étoit chancelier de l'Académie royale. Le 5. Répondu à M. Eberts, à Strasbourg. Répondu à M. Mûller, lieutenant-colonel d'artillerie, ingénieur et directeur général des bâtiments du landgra vial de Hesse-Darmstadt. Il m'avoit écrit pour placer son fils icy, chez quelque homme célèbre, sur quoi je lui mande que sans argent la chose ne peut être effectuée. 1 Louis Galloche; } cintre d'histoire, né à Paris en 1 070, mourut en 1701. DE JEAN-GEORGES WILLE. 401 Le 11. Répondu à M. de Lippert, conseiller actuel des révisions et du commerce de S. À. S. E. de Bavière, secrétaire de l'Académie électorale des sciences de Mu nich. Je lui mande mes pensées sur la réponse de M. de Dufresne, et que celui-eyest toujours le maîlrede m'en voyer les tableaux, leurs prix et la descriplion, et que je ne crois pas que M. Alton fût bien dangereux à l'école flamande, vu que les Anglois aiment mieux les maîtres italiens. Le 16. M. le général de Fontenay, envoyé extraordi naire de l'électeur de Saxe, m'envoya une lettre de M. le baron de Kessel, contenant douze ducats curieux dont un que ce seigneur fait présent à mon fils aîné, pour lui avoir envoyé deux estampes d'après ses des seins. Le 17. Répondu à M. le baron de Kessel, grand maî tre des cuisines de la cour électorale de Saxe. Je remercie Son Excellence de son amitié conslanle et de ses soins de m'envoyer des monnoies d'or, pour ma petile col leclion. Écrit à M. de Hagedorn, conseiller intime de légation et directeur général de l'Académie électorale, quoiqu'il me doive une réponse; mais, comme M. le baron de Kessel me mande qu'il a très-mal aux yeux, je cherche à l'en consoler. Répondu à M. Weiss, fameux poêle et receveur de la sieur du cerele de Leipzig. Je lui fais la description de l'arrivée de M. le docteur Plallner, son beau-frère, et surtout l'aventure de sa perruque gothique. Je lui an nonce aussi que M. T. Richler doit lui remettre de ma part deux brochures et deux estampes. Le 18. Répondu à M. Iluber, traducteur de la Mort i. 20 402 JOURNAL d'Abel, actuellement professeur de langue françoise à Leipzig. 11 trouvera ma lettre plaisante. Je lui dis aussi que M. T. Ricbter lui remettra Chinki et les deux Rai nes romaines d'après M. Dietrich. Le 19. Me vint voir M , musicien saxon, de la musique de l'ancien duc de Courlande. Ilparoît bien joli garçon, de très-bonne humeur. Il me dit qu'il avoit été reçu dans l'orchestre de l'Opéra-Comique pour y jouer du hautbois. Un jeune relieur de Vienne vint chez moi, de la part de M. Schmuzer. Le 20. Répondu ou écrit à M. Dietrich. Je lui annonçois que j'avois chargé M. le docteur Plattner de la Galerie du Luxembounj reliée (il a pris congé de nous aujour d'hui pour retourner en Saxe, chargé de toutes les lettres à mes amis dans ce pays), et dont je lui faisois présent; mais M. Plattner me la renvoya dans la nuit, parce quelle ne pouvoit pas entrer dans son coffre. A présent il me faut une autre occasion. Nous avons reçu un excellent jambon de la part de M. de Livry. Le 25. Répondu à M. C.-F. Lichtcnberg, conseiller de la chambre de S. A. S. le prince de Hesse, à Darms tadt. J'avois exhorté M. Slrccker, premier peintre de ce prince, d'écrire la vie du peintre Seckalz, atlaché au même prince, et qui est mort l'année passée. D'après cette idée, M. Lichtenberg, bon connoisseur et ami du défunt, s'en est chargé en envoyant, selon mes conseils, 1 Ces deux Ruines romaines ont été gravées, en 1708, par Nie. Delaunav, et on lit au bas la dédicace suivante : Dédié à 31. Dietricy, peintre de S. A. S. E. TÉlecteur de Saxe, membre des Académies de Dresde, d'AugS* buuig et de ttolognc, par son ami et très -humble serviteur VVille. DE JEAN-GEORGES WILLE. 405 à M. Weiss, rédacteur der Bibliotheke der schônen Wis senschaften und freyen Kunste, à Leipzig, son manus crit pour être inséré dans ce journal. M. de Lichten berg me donne avis du tout par une lettre des plus char mantes et des plus polies. Il me fait le caractère du peintre mort, tant de son esprit que de ses talents, qui m'ont paru fort singuliers. Il m'instruit aussi pourquoi ce peintre n'a pas voulu travailler pour moi, quoiqu'il me l'eût promis depuis dix ans; c'est-à-dire qu'il crai gnoit de ne pas réussir en travaillant pour un homme de mon talent et de mes connoissances dans les arts. Cela étoit modeste, mais très-niais, puisque je l'avois solli cité, chose que je n'aurois pas faite si ses ouvrages ne m'avoient pas fait plaisir. AVRIL 1709. Le 2. Répondu à M. de Livry, premier commis de monseigneur le comte de Saint-Florentin, ministre et secrétaire d'État, à Versailles. Je lui envoyé dans la let tre deux desseins paysages avec figures, que j'ay faits au jourd'hui. Je prie cet ancien et digne ami de les accepter avec mes remercîments, pour le très-bon jambon qu'il nous avoil envoyé pour nous décarêmer. Le 12. Reçu de Vienne ma lettre patente en qualité de membre de l'Académie impériale et royale de gravure. Cela me donne le titre de graveur de LL. MM. impériales et roya les. Cette lettre est en parchemin avec un grand sceau attaché à un cordon de soye noire et jaune. Elle est si gnée par le grand chancelier, prince de Kaunitz-Rittberg, protecteur, M. de Sonnenfels, secrétaire perpétuel, et M. Schmuzer, directeur. J'ay reçu en même temps les 404 JOURNAL statuts de celte Académie avec une letlre extrêmement polie du secrétaire. Le tout est en langue allemande. Le 15. Me vint voir M. Cochin, mon ancien ami, et secrétaire de notre Académie royale, avec de pareilles lettres et imprimés, aussi reçus de la part de l'Acadé mie de Vienne, qui lui donnent également la qualité de membre de l'Académie impériale et royale, pour les lui traduire verbalement en François; la lettre du secrétaire, M. de Sonnenfels, éloit seule en françois. Il me parut que son élection lui faisoit plaisir. Le 25. Répondu à M. le directeur Schmuzer, à Vienne. Je lui dis que le Crozat est parti depuis huit jours et que j'ay reçu par M. Grenziger le ducat impérial et le dis cours de M. de Sonnenfels. J'ay rendu à M. Pricc, Anglois, le dessein de P. Roos, avec son argent, et il m'a rendu ce qu'il a voit de moi, parce qu'il me parut que cela lui feroit plaisir. Je lui ay l'ait présent d'un très-beau paysage de Botb, représen tant une Ruine de Rome. Reçu une médaille d'argent aux armes de la ville de Berne, et un ducat d'or, de la part de M. Hitler, archi tecte de Berne. MAY 170U. Le 3. J'ay chargé M.Schôninger 1 de deux estampes et d'un ducat de Salzbourg, qui part pour Vienne, pour les remettre à M. Schmuzer. Je lui devois le ducat pour un de l'empereur. 1 Le même s'est chargé d'un rouleau pour monseigneur le duc de Saxe Teschcn. [Note de WÎlie.) DE JEAN-GEORGES WILLE. 405 Le 4. Répondu sur deux lettres de M. Preisler, gra veur du roi de Danemark, à Copenhague. Je lui dis que j'ay fait des commissions en papier, etc., pour imprimer la statue équestre du feu roy de Danemark, à Copen hague, qu'il a gravée1. Je Lui mande que le tout a été remis à MM. Tourlon et Baur, comme il l'a désiré, et qu'ils m'ont remboursé. Écrit, par l'occasion de la lettre de M. Preisler, une pe tite que j'ay mise dans la sienne, à M. Wasserschleben, conseiller des conférences. Je me plains de son silence et le préviens du départ (dans son temps) de TesLampe que j'achève à présenl, qui sera envoyée par terre. Reçu un ducat aux armes avec le portrait du prince évêque de Freysingue et d'Augsbourg, de la part de M. de Lippert, à Munich. Il me le devoit. Le 6. Répondu à M. Y. Lienau, négociant à Bordeaux et mon ancien ami, de même qu'à M. Gier, négociant de la même ville, qui cherche, comme il s'exprime dans sa lettre, ma connoissance et mon amitié. Il me paraît amateur des arts. 1 Nous trouvons, dans un savant ouvrage paru récemment, des détails sur cette statue équestre gravée par J.-M. Preisler, d'après le dessin de J.-F. Saly. Nous les exlrayons de l'ouvrage de M. L. Dussieux, les Artistes français à l'étranger : « Saly résida à Copenhague de 1754 à 1775, et ne fut de retour à Paris qu'en 1776. Pendant ce long séjour, il fit la statue équestre de Frédéric V, que les États de Norvège érigèrent à ce prince sur la place Frédéric, à Copenhague. Le roi de Danemark est représenté en triomphateur romain, tenant un bâton de commandement; à droite et à gauche du piédestal, sont les statues du Danemark et de la Norvège; de vant et derrière, l'Océan et la Baltique. Cette statue fut coulée en bronze par le célèbre fondeur français P. Gor, commissaire des fontes de l'Arsenal, qui fut appelé à Copenhague. Le modèle de la statue équestre de Frédéric V est conservé à Madrid, à l'Académie de Saint-Ferdinand. » Jacques-François-Jo seph Saly est né à Valenciennes en 1717; il est mort à Paris le 4 mai 1776. Il était élève de Coustou. 400 JOURNAL Le 7. Répondu à M. Stùrz, conseiller de légation du roy de Danemark, à Copenhague. Je lui dis que mon fils lui fera volontiers de petits desseins pour des miné raux, et qu'il pourroit m'acheter des monnoies d'Asie, environ pour deux cents livres. Le 9. Répondu à M. Schmidt, graveur du roy de Prusse, à Rerlin. Je lui mande que sa Présentation au Temple l, qu'il a faite d'après M. Dietrich, m'est heureu sement arrivée. Je le prie pour d'autres. Le 10. Mon fils aîné, qui avoit mal à un pied depuis une douzaine de jours, descendit la première fois pour dîner. Le 12. Monseigneur l'évêque de Gallinique me vint voir sans me trouver. Le 15. Répondu à M. de Lippert, à Munich. Je lui dis que je renonce aux tableaux en question, d'autant plus que le catalogue ne m'apprend que leur hauteur et largeur, etc., et que je n'achète rien sans le voir. Je le remercie du ducat de l'évêque de Freysingue, et lui en voyé un ducat de Suède, pour l'échanger contre un du prince de Liechtenstein, par Schega. Causa Aca démie. Le 16. M. Wiedewelt, sculpteur du roy de Danemark, étant de retour de Londres de même que M. Jardin2, ar chitecte du même monarque, m'a rendu visite sans me trouver au logis. Il doit partir pour Copenhague. 1 N° 1G7 du Catalogue de rOEuvre de Schmidt, par A. Crayon. 2 Nicolas-Henri Jardin, né à Saint-Germain des Noyers en 1728, mort à Paris en 1802. Il a construit le château de plaisance de Bernsdorf, à J;e geusdorf, et le palais d'Amaliégade, la salle des chevaliers au château de Christiansborg, à Copenhague, et le palais du comte de Moltke. DE JEAN-GEORGES WILLË, 407 Joseph Berger, qui nous sert actuellement dans la hui tième année en qualité de domestique, m'ayant demandé la permission d'aller, accompagné d'une de ses sœurs, à Xivrey en Lorraine, sa patrie, voir sa mère et régler quelques affaires de famille, a pris congé de nous après avoir servi le souper, pour coucher chez son frère et partir le 17 de grand matin. 11 m'a demandé un certificat que je lui ay donné avec plaisir, car il m'a servi fidèle ment. Je ne lui accorde cependant que six semaines, au bout desquelles il doit être de retour, étant impossible que notre service permît un plus long retard. Le 19. M. le général de Fontenay, envoyé de la cour électorale de Saxe, me vint voir. C'est un vieillard bien aimable. Il n'a rien perdu de sa bonne humeur depuis environ cinq ans que j'ay dîné en sa compagnie. Il est le doyen des ambassadeurs qui sont icy, et me paroît avoir quatre-vingt-cinq ans. Il m'a conté qu'en 1704 il avoit fait sa première campagne contre les Vaudois. Le 22. Mon fils aîné me fit présent d'une tabatière de laque rouge garnie en or très-joliment ciselé, qu'il avoit fait faire exprès. Sur le couvercle, il y a une com pagnie qui joue à la petite loterie, peinte à l'huile par lui-même et très-bien exécutée. J'étois fort sensible à la façon d'agir de mon fils, d'autant plus que la tabatière lui avoit coûté, comme je le sçais, douze louis d'or. Le 27. M. Gier, de Bordeaux, m'a envoyé des goua ches de mademoiselle Dietsch, pour être vendues; mais.. Le 28. M. Langlois, marchand de tableaux et qui voyage toujours, me montra Loth et ses Filles, tableau du chevalier Yanderwerff l, qui est beau. 1 Ce tableau a été gravé en 177^, par N, Delaunay. 408 JOURNAL Le 29. M. Gérard, premier secrétaire des affaires étrangères, me vint voir, et, comme je n'avois pas l'hon neur de le connoître, il me parla en allemand avec beau coup d'affabilité, et je fis connoissance avec ce cher compatriote. Il a épousé depuis quelque temps -la fille d'un fermier général, qui étoit un bon parti. Le 3J . Monseigneur l'éveque de Callinique, cet an cien et bon ami, nous vient voir deux fois, étant arrivé le même jour de Versailles, et doit partir demain pour Sens, sa résidence ordinaire. 11 a si fortement invité mon aîné à passer cet été quelque temps chez lui, que celui cy lui a promis avec mon consentement. JUIN 1709. Le 1er. J'allai, accompagné comme à l'ordinaire de M. Daudet, voir et examiner un tableau de G. Le Lorrain, mais qui est en mauvais état. M. Chariot, huissier pri seur, de ma connoissance, m'en avoitprié. Il me montra aussi quelques autres petits tableaux dont il a voit fait emplette. De là nous passâmes sur la place Dauphine voir ce que les jeunes artistes pouvoient avoir exposé à l'exa men du public; mais il y avoit peu de chose à cause du mauvais temps; cette petite feste de Dieu étant plu vieuse. Le 10. J'ay remis à M. Schenau la Galerie du Luxem bourg pour l'envoyer, par le canal de M. Crusius à Leip zig, à M. Dietrich à Dresde, à qui j'en fais présent. Le 1 1 . Répondu à M. de Livry. Je lui avois conseillé de m'envoyer la lettre qu'il vouloit écrire à M. Dietrich, que je la traduirois en allemand, parce que ce célèbre DE JEAN-GEORGES WILLE. 409 artiste ne sçait pas le François. Cela s'est fait, et j'ay renvoyé le tout à Versailles, en ajoutant aussi une lettre pour M. Dietrich, à Dresde, en réponse à sa dernière, lesquelles M. de Livry lui fera parvenir ensemble. Le tout est pour négocier de petits tableaux, tant pour M. de Livry que pour moi, s'il est possible. Le 15. Mourut dans notre maison, au second, M. Fou bert. Le 25. Beaucoup de monde vint me souhaiter ma feste et me présenter des bouquets. Mon fils aîné, à mon insu, s'étoit arrangé avec seize musiciens, qui firent, pendant que nous élions a souper, de leur musique de vant notre maison. Cette altenlion de la part de mon fils me fit plaisir. Le 24. Je reçus une lettre de chez moi écrite le 9 juin, ot une écrite par mon frère à Welzlar. La première était de ma belle-sœur, demeurant à l Obermùhle à Kônisberg en liesse, près de Giessen. Leur contenu me jeta dans la plus grande affliction et douleur, puisqu'elles m'annon cent l'une et l'autre la mort de mon bon frère, que j'ay toujours tendrement aimé. Il étoit né deux ans après moi et n'avoit que cinquante-deux ans. Sa veuve, ma belle-sœur, paroît inconsolable. Il l'a laissée avec cinq enfants. L'événement est des plus déplorables; mais ses enfants ont, Dieu soit loué, du bien. Je complois toujours avoir la consolation de revoir cet excellent frère; mais Dieu ne l'a pas voulu. Le 26. Mon fils aîné est parti, accompagné de M. Ilalm, mon élève, par le coche d'eau, pour Sens, y voir mon seigneur l'évêque de Callinique. Ils y comptent rester quelque temps. 410 JOURNAL 11 m'est venu voir avec lettres de recommandation de M. Strecker un de ses élèves, nommé Ehremann. Le 50. M. Guttenberg a achevé l'inscription que j'ay fait mettre au bas de ma nouvelle planche, dédiée à S. M. le roy de Danemark. Le titre de cette planche est le Concert de famille l. Cette planche est la plus consi dérable que j'aie faite. Elle m'a occupé deux ans et quatre mois. Cela est presque un peu trop, mais aussi le cuivre n'éloil pas trop bon; au contraire, il étoit de la plus mauvaise espèce, et cela est très-fàcheux. JUILLET 1769/ Répondu à M. Ritter, architecte de la ville de Rerne. Je le remercie des peines qu'il s'est données de me pro curer un ducat de sa république et une médaille d'ar gent. Je lui envoyé un ducat de Hollande pour le premier, et pour le second je le prie de m'instruire du prix. Le 2. Répondu à monseigneur l'évêque de Callinique. à Sens. Répondu à mou fils aîné, qui est allé chez monseigneur l'évêque de Callinique. La réponse à celui-cy est dans la lettre à mon fils. Répondu à M. Schmuzer, à Vienne. J'ay mis une quittance dans la lettre par rapport à l'argent qu'il m'a fait loucher de la part de S. A. R. monseigneur le duc de Saxe-Teschen. Je lui dis qu'incessamment je ferai mon rcmercîment à l'Académie impériale sur ma réception et que je l'enverrai à M. de Sonnenfels, secré taire de l'Académie. 1 Cetto estampe, gravée d'après Godelroy Sclialken, est mentionnée au n" 54 du Catalogue de l'œuvre de Wille, par M. Charles Leblanc, DE JEAN-GEORGES WILLE. 411 Il est venu un jeune peintre de Darmstadt, élève de Seekatz, nommé M. Ott, avec lettres de recommandation; mais je n'y étois pas. Le 5. Joseph Berger, mon domestique, est revenu de son pays après sept semaines d'absence. C'étoitoutre-pas ser la permission que je lui avois donnée. Le 4. J'ay retouché chez M. Chevillet les estampes qu'il a faites pour moi. Le 6. MM. de Livry, pore et fils, me sont venus voir de Versailles. Le 7. Répondu à M. Strecker, premier peintre du land grave de Hesse, à Darmstadt. Je le prie, entre autres, de m'envoyer des minéraux pour le cabinet de mon fils. Le 14. J'ai fait partir pour Strasbourg, pour être de là envoyé par Hambourg à M. Wasserschleben, conseiller de conférence du roy de Danemark, à Copenhague, une caisse en toile grasse contenant une bordure très-bien sculptée et dorée et dont j'avois donné le dessein, avec ma nouvelle estampe, le Concert de famille, sous glace, que j'ay dédié au roy de Danemark. Il y a en outre pour ce monarque, dans cette caisse, un* portefeuille conte nant vingt-quatre épreuves en feuilles de la même es pèce; de plus six pour S. E. M. le comte de Bernsdorf; s i x po u r M . Wa s ser sch 1 eb en 1 u i-m êm e ; tr o i s p o u r M . S tu r z , conseiller de légation, également mon ami ; une pour M. Preisler, graveur du roy de Danemark; une pour M. le comte de Mollke; une pour M. le chambellan, baron de Schimmelmann: une pour M. Klopstock, célèbre poêle; une pour M. Als, peintre du roy. En tout quarante-qua tre pièces. 412 JOUR MAL M. de Livry, de Versailles, m'est venu voir. Répondu à mon fils, qui est encore à Sens, chez mon seigneur l'évêque de Callinique. Il me paroît qu'il s'y plaît. Le 19. J'ay donné avis à M. Eberls, à Strasbourg, du départ de la caisse que j'envoye a M. Wasserscbleben et le prie de la faire partir tout aussitôt à sa destination. Elle est marquée : M. D. W. C. Répondu à M. de Sonnenfels, conseiller de Leurs Ma jestés Impériales et Royales, secrétaire perpétuel de l'Académie impériale et royale de gravure, à Vienne. Je marque ma gratitude dans ma lettre envers l'Acadé mie de m'avoir envoyé le diplôme de ma réception, et je prie M. de Sonnenfels d'exposer mes remercîmenls à l'assemblée. Je fais remettre ma lellre à l'hôtel de M. l'ambassadeur de la cour de Vienne, pour qu'elle parle avec le premier courrier. J'ay été, accompagné de M. Daudet, à l'Opéra-Comi que voir Cécile, où M. Cayot, ce célèbre acteur, m'a tiré des larmes des yeux en jouant le père nourricier. Cet homme est admirable dans son jeu. Le 28. MM. les comtes de Lynar, Saxons, me sont ve nus voir. Ils sont frères et fort honnêtes. Le 50. Répondu à M. Gier, à Rordeaux. Je lui dis que les petits tableaux de l'espèce de ceux qn'il m'a en voyés ne sont pas rares à Paris. Répondu à mon frère, à Welzlar. Je plains beau coup la mort de noire frère. Répondu à mon fils, qui est encore à Sens, chez mon seigneur l'évêque de Callinique. DE JEAN-GEORGES WILLE. 415 AOUST 1769. Le 5. Me vint voir M. Dorner1, peintre de l'élecleur de Bavière. Le 6. M. Dorner a dîné eliez nous. Répondu à monseigneur l'évoque de Callinique. Un M. Desmoulins s'est chargé de lui porter ma lettre à Sens, de môme qu'une boîte de fer-blanc dans laquelle il y a pour monseigneur une épreuve avant et une avec la lettre de mon Concert de famille. Ce sont les premières qui soient sorties de mes mains en présent. Répondu à mon fils, qui est toujours à Sens, avec mon seigneur. 11 m'avoit envoyé plusieurs desseins paysages au crayon rouge et une composition dont il me mande qu'il a commencé la peinture. Le 8. M. Dorner, peintre de l'électeur de Bavière, a commencé mon portrait sur une petite planche de cuivré. La tête n'est pas plus grande qu'une pièce de vingt quatre sols. Le 9. M. le comte de Podewils, de Berlin, m'est venu voir. Je l'avois déjà connu il y a quatre ans, lorsqu'il étoit à Paris. Le 10. M. Dorner a travaillé une seconde fois à mon portrait. Il doit l'emporter pour le finir à Munich. Le 11. Mon fils aîné est revenu de chez monseigneur 1'évèque de Callinique, à Sens, qui l'a très-bien hébergé, de même que M. Halm, son camarade de voyage et mon élève. Il a apporté une tête de petit garçon, mais avec deux mains dans lesquelles il lient un oiseau : celte 1 Jacob Dorner, né vers 1741, mouiuten 181.5. 41 i JOURNAL pièce est bien et grande comme nature; il en a fait pré sent à M. Daudet; un second tableau sur bois en petit, qui n'est pas tout à fait lî ni ; il représente une fille prête à donner à manger à deux enfants qui font leurs prières. Il est fort fini dans ce qui est fait et sera très-joli. Après le souper, M. Dorner a pris congé de nous pour reparlir le lendemain pour Munich. Il a beaucoup de connoissance et du talent. Il a presque toujours mangé chez nous, et je regrette son départ. J'ay fait présent à M. Dorner de plusieurs estampes, et il doit remettre à M. Lippert ma nouvelle pièce, le Concert de famille et le Pline en latin de l'imprimerie de Barbou. 11 est aussi chargé d'une lettre pour M. Lippert, à Munich. Mes planches, d'après Schùtz, gravées à l'eau-forte par Dunker, et que Gouvillier 1 devoit finir, ont été criées pu bliquement (car on a vendu les effets de ce graveur, après s'être fait soldat); je les ay fait acheter vingt et une livres, je pouvois agir autrement; mais je les ay, et Gou villier m'emporte quatre louis. Il étoit joueur. Le 12. Répondu à la lettre de ma belle-sœur, in def Oberbiebermûhie zu Kômgsbery, en Hesse, près de Gio.s sen, par laquelle elle m'avoit donné avis de la mort de mon frère, son -mari, que j'aimois infiniment, et qui m'a causé beaucoup de tristesse et bien des chagrins. Le 15. Répondu à M. Liénau, à Bordeaux. Je lui dis de me répondre sur-le-champ si je dois acheter les Balc ûou pour le prix marqué dans ma lettre* 1 11 n'est parvenu jusqu'à nous aucun détail sur cet artiste. Nagler n'en liiit pas mention, et nous n'avons jamais rencontré de pièces signées de ce nom. DE JEAN-GEORGES VVILLE. 415 Le 15. Écrit à mon ami Scbmidt1, à Berlin. Je lui demande son œuvre complet, portraits et sujets. Le 25. M. Greuze présenta, pour sa réception, un ta bleau historique à l'Académie royale pour être reçu comme peintre d'histoire. Il y fut reçu comme peintre, mais re fusé comme peintre d'histoire. Cela lui causa bien de la peine; mais personne ne pourroit lutter contre le scrutin du corps en général. Son tableau repré entoit l'empe reur Sévère, dans son lit, faisant des reproches à son fils Caracalla, etc. De là je passai voir le Salon, qui étoit presque arrangé, et où j'ay exposé mon Concert de fa mille, que j'ay dédié au roy de Danemark, et qui est au jour depuis peu. M. Laine2, peintre en miniature, de Berlin, m'est venu voir. Il vient d'Angleterre. Jl a été même au service dans le Canada, en qualité d'ingénieur, chez les Anglois. SEPTEMBRE 1709. Le 5. Répondu à M. Richter, à Leipzig. Répondu à M. Winckler, dans la même ville. Répondu et écrit à M. Eberts, à Strasbourg. Répondu à M. de Livry, à Versailles. Je lui dis mon sentiment, comme il l'avoit désiré, sur un tableau qu'il avoit envie d'acheter, et dont je le dissuade en lui disant mes raisons sincèrement. Le 9. M* de Heneiken, de Dresde, est venu pour la troisième fois sans me trouver. 1 L'œuvre de Schmidt s'élève à cent quatre-vingt-six pièces, si Ton en croit le Catalogue publié par A. Crftycn. 2 Cet artiste n'est pas compris dans rénorme liste des artistes cités par Na yler dans son précieux Dictionnaire. 410 JOURNAL Répondu à M. de Livry. Le 10. Répondu à M. J. Wagner, peintre, à Meissen. Je lui envoyé une lettre de change de quarante-six reichs thalers, sur M. Rosier, à Dresde, pour les pelils tableaux qu'il m'a envoyés. OCTOBRE 1769. Le 1er. J'ay été à la Comédie-Italienne avec M. Daudet. Le 2. On nous a apporté la grande armoire que j'ay l'ait faire très-joliment, en bois des Indes et bronze doré d'or moulu, pour noire nouvel appartement. M. le baron de Rey, Hollandois, m'est venu voir. Il aime les arts et a beaucoup voyagé en Allemagne, en Turquie, en Italie, etc. Le 5. M. de Livry, cet excellent ami, m'a fait part de la mort de madame de Livry, son épouse. Je lui ai ré pondu sur ce triste événement d'une manière sensible. Nous en sommes tous affligés. Le G. M'est venu voir M. Bradt architecte et graveur pensionnaire du roy de Danemark, m'apportant des let tres de recommandation de M. le conseiller de confé rence, mon ancien ami. M. Wasserschleben m'a envoyé, par M. Bradt, une petite boite ronde et curieuse, étant d'ambre, dans la quelle il avoit mis pour moi une petite médaille antique d'or; sur un côté, il y a une tète de femme, sur l'autre, un cheval en enlier. Le 8. Répondu à M. V. Lienau, à Bordeaux. 1 Jean-Gotltried Bradt travaillait à Copenhague vers 1765. Il lut nommé membre de l'Académie en 1785, et mourut en 1795. DE JEAN-GEORGES WILUE. M Répondu à M. Gier, négociant, à Bordeaux. Je lui dis que» selon sa lettre à M. Laine, j'ay remis à celui-cy les douze petites peintures à gouache par mademoiselle Dietscli. Ecrit à M. Eberts, à Strasbourg. Je lui dis que selon ses désirs j'ay fait remettre le rouleau à un des courriers de sa ville. Répondu à M. Schmuzer, directeur de l'Académie im périale de tienne. Je lui dis qu'il y a du temps qu'un courrier impérial a emporté les estampes que M. de Kossner avoit demandées. Je lui fais une description de notre nouvel appartement, parce qu'il connoît l'ancien, que je garde également. J'ay envoyé mon Concert de famille, tout encadré en bordure dorée, à M. Sehiïlz, secrétaire d'ambassade du roy de Danemark, à qui je Pavois promis. Il m'en a re mercié par une lettre fort polie. Le 10. M. Byrnc', jeune graveur anglois, qui m'avoit fait écrire de Londres pour sçavoir si sur une estampe de sa façon, qu'il m'avoit aussi envoyée, je pourrois l'occuper a Paris; et, comme j'avois répondu que oui, il est arrivé chez moi aujourd'hui. Il paroît fort doux; mais il ne sait pas un mot de françois, cela sera un peu gênant. Le 18. Ce jour, nous sommes descendus au second, et avons couché, la nuit d'ensuite, pour la première fois dans ce nouvel appartemenl, quoiqu'il y manque encore quel ques meubles, entre aulrcs, la grande glace sur la chemi née de la salle, les ouvriers m'ayanl manqué de parole; au ' Guillaume Byme. graveur à Teau-forte et au burin, naquit à Cambridge ( ti 17 i0 et mourut eu 1805. Sa manière de graver est assez froide, et les planches que nous avons rencontrées, signées de son nom, sont peu dignes île la réputation qu'on leur a faite. i. 27 418 JOURNAL reste, ils m'y ont presque accoutumé depuis quatre mois que j'ay affaire à eux, pour les travaux à faire dans cet étage et pour les ameublements. Cela m'a rendu plus d'une fois de mauvaise humeur. Le 28. J'allai à l'assemblée de l'Académie royale, où M. Pasquier* fut reçu en qualité de peintre en émail; il donna pour sa réception le roy de Danemark. Me vint voir avec lettre de recommanda lion de M. Mèyer, à Hambourg, M. Mutzenbecker, de la même ville, accompagné d'un Ànglois. Il voyage pour voir le monde. Le 28. Me vint voir notre ami. M. Diemar, établi en Angleterre. Son apparition m'a fait beaucoup de plaisir. Il ne sera que pour peu de jours icy.
github_open_source_100_1_115
Github OpenSource
Various open source
@extends('master') @section('content') <div> <h1>Fill up this form for create new employee</h1> <hr> @if(session()->has('success')) <p class="alert alert-success"> {{session()->get('success')}} </p> @endif @if ($errors->any()) <div class="alert alert-warning" role="alert"> <ul> @foreach ($errors->all() as $error) <li> {{$error}} </li> @endforeach </ul> </div> @endif <form action="{{route('employee.store')}}" method="POST" enctype="multipart/form-data" > @csrf <div class="row"> <div class="col"> <label for="inputEmail4">Name</label> <input type="text" name="name" class="form-control" placeholder=" Employee Name"> </div> </div> <div class="form-row"> <div class="form-group col-md-6"> <label for="inputEmail4">Email</label> <input type="email" name="email" class="form-control" id="inputEmail4" placeholder="Email"> </div> <div class="form-group col-md-6"> <label for="inputPassword4">Password</label> <input type="password" name="password" class="form-control" id="inputPassword4" placeholder="Password"> </div> <div class="form-group col-md-6"> <label for="inputAddress">Address</label> <input type="text" name="address" class="form-control" id="inputAddress" > </div> <div class="form-group col-md-6"> <label for="inputCategory">Designation</label> <input type="text" name="category" class="form-control" id="inputCategory"> </div> </div> <div class="form-row"> <div class="form-group col-md-6"> <label for="inputCity">City</label> <input type="text" name="city" class="form-control" id="inputCity"> </div> <div class="form-group"> <label for="inputPassword6">Mobile Number</label> <input type="number" name="mnumber" id="inputPassword6" class="form-control mx-sm-3" aria-describedby="passwordHelpInline"> <small id="passwordHelpInline" class=""> </small> </div> </div> <div class="mb-3"> <label for="exampleInputEmail1" class="form-label">employee Image</label> <input name="image" type="file" class="form-control" id="exampleInputEmail1" aria-describedby="emailHelp"> </div> <button type="submit" class="btn btn-success">Sign in</button> </form> </div> @endsection
github_open_source_100_1_116
Github OpenSource
Various open source
<?php /* |-------------------------------------------------------------------------- | Web Routes |-------------------------------------------------------------------------- | | Here is where you can register web routes for your application. These | routes are loaded by the RouteServiceProvider within a group which | contains the "web" middleware group. Now create something great! | */ Route::get('/', function () { return view('welcome'); }); // USER CRUD Route::get('/users', 'UserController@index')->name('users.index'); Route::get('/users/create', 'UserController@create')->name('users.create'); Route::post('/users', 'UserController@store')->name('users.store'); Route::get('/users/{id}/edit', 'UserController@edit')->name('users.edit'); Route::post('/users/{id}', 'UserController@update')->name('users.update'); Route::get('/users/{id}','UserController@destroy')->name('users.delete'); // Points CRUD Route::get('/points', 'PointController@index')->name('points.index'); Route::get('/points/create', 'PointController@create')->name('points.create'); Route::post('/points', 'PointController@store')->name('points.store'); Route::get('/points/{id}/edit', 'PointController@edit')->name('points.edit'); Route::post('/points/{id}', 'PointController@update')->name('points.update'); Route::get('/points/{id}','PointController@destroy')->name('points.delete'); // Department CRUD Route::get('/departments', 'DepartmentController@index')->name('departments.index'); Route::get('/departments/create', 'DepartmentController@create')->name('departments.create'); Route::post('/departments', 'DepartmentController@store')->name('departments.store'); Route::get('/departments/{id}/edit', 'DepartmentController@edit')->name('departments.edit'); Route::post('/departments/{id}', 'DepartmentController@update')->name('departments.update'); Route::get('/departments/{id}','DepartmentController@destroy')->name('departments.delete'); // Flow CRUD Route::get('/flows', 'FlowController@index')->name('flows.index'); Route::get('/flows/create', 'FlowController@create')->name('flows.create'); Route::post('/flows', 'FlowController@store')->name('flows.store'); Route::get('/flows/{id}/edit', 'FlowController@edit')->name('flows.edit'); Route::post('/flows/{id}', 'FlowController@update')->name('flows.update'); Route::get('/flows/{id}','FlowController@destroy')->name('flows.delete'); // Route::get('/show', function () { // return view('pages.users.show'); // }); Route::get('/show/{id}', 'PointController@show')->name('points.show');
github_open_source_100_1_117
Github OpenSource
Various open source
/* +----------------------------------------------------------------------+ | sudoku | +----------------------------------------------------------------------+ | Copyright (c) IUT Team 2016 | +----------------------------------------------------------------------+ | This source file is subject to version 3.01 of the PHP license, | | that is bundled with this package in the file LICENSE, and is | | available through the world-wide-web at the following url: | | http://www.php.net/license/3_01.txt | | If you did not receive a copy of the PHP license and are unable to | | obtain it through the world-wide-web, please send a note to | | license@php.net so we can mail you a copy immediately. | +----------------------------------------------------------------------+ | Author: Valentin Nahim | | Author: Valentin Lajeunesse | | Author: Abel Lucas | +----------------------------------------------------------------------+ */ #ifndef _SUDOKU_H #define _SUDOKU_H #ifdef __cplusplus extern "C" { #endif extern int sudoku_solve_select(const char *puzzle, char *solution, int limit, int (*select)(int)); extern int sudoku_solve(const char *puzzle, char *solution, int limit); typedef unsigned char byte; typedef int bool; #ifndef true #define false 0 #define true 1 #endif #define HIGH_9_BIT(v) (((v) >> 18) & 0x1FF) #define MID_9_BIT(v) (((v) >> 9) & 0x1FF) #define LOW_9_BIT(v) ((v) & 0x1FF) #define FULL_TO_COLUMN(v) (((v) | ((v) >> 9) | ((v) >> 18)) & 0x1FF) #define FULL_TO_SHRINK(v) (tbl_shrink_mask[(v)&0x1FF] | tbl_shrink_mask[((v)>>9)&0x1FF]<<3 | tbl_shrink_mask[((v)>>18)&0x1FF]<<6) #define BIT_SET_27 0x07FFFFFF #define BIT_SET_30 0x3FFFFFFF #define NORF(n) sudoku->full_mask[n] &= sudoku->block_mask_sum[n%3] ^ sudoku->block_mask[n]; #define SAVF(n) sudoku->games[sudoku->index].full_mask[n] = sudoku->full_mask[n]; #define RESF(n) sudoku->comp_f[n] = sudoku->full_mask[n] = sudoku->games[sudoku->index].full_mask[n]; #define AN(v, n) v &= n #ifdef __cplusplus } #endif #endif /* _SUDOKU_H */ /* * Local variables: * tab-width: 4 * c-basic-offset: 4 * End: * vim600: noet sw=4 ts=4 fdm=marker * vim<600: noet sw=4 ts=4 */
1229592_1
Wikipedia
CC-By-SA
Centromerus furcatus adalah spesies laba-laba yang tergolong famili Linyphiidae. Spesies ini juga merupakan bagian dari ordo Araneae. Nama ilmiah dari spesies ini pertama kali diterbitkan pada tahun 1882 oleh Emerton. Laba-laba ini biasanya banyak ditemui di Amerika Serikat, Kanada. Referensi Platnick, Norman I. (2010): The world spider catalog, version 10.5. American Museum of Natural History. Linyphiidae.
github_open_source_100_1_118
Github OpenSource
Various open source
/* * Copyright (c) 2012-2015 Snowplow Analytics Ltd. All rights reserved. * * This program is licensed to you under the Apache License Version 2.0, * and you may not use this file except in compliance with the Apache License Version 2.0. * You may obtain a copy of the Apache License Version 2.0 at http://www.apache.org/licenses/LICENSE-2.0. * * Unless required by applicable law or agreed to in writing, * software distributed under the Apache License Version 2.0 is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the Apache License Version 2.0 for the specific language governing permissions and limitations there under. */ package com.snowplowanalytics.snowplow.enrich package hadoop package bad // Scala import scala.collection.mutable.Buffer // Specs2 import org.specs2.mutable.Specification // Scalding import com.twitter.scalding._ // Cascading import cascading.tuple.TupleEntry // This project import JobSpecHelpers._ /** * Holds the input and expected data * for the test. */ object NullNumericFieldsSpec { val lines = Lines( "2014-10-11 14:01:05 - 37 172.31.38.31 GET 24.209.95.109 /i 200 http://www.myvideowebsite.com/embed/ab123456789?auto_start=e9&rf=cb Mozilla%2F5.0+%28Macintosh%3B+Intel+Mac+OS+X+10.6%3B+rv%3A32.0%29+Gecko%2F20100101+Firefox%2F32.0 e=se&se_ca=video-player%3Anewformat&se_ac=play-time&se_la=efba3ef384&se_va=&tid=" ) val expected = """{"line":"2014-10-11 14:01:05 - 37 172.31.38.31 GET 24.209.95.109 /i 200 http://www.myvideowebsite.com/embed/ab123456789?auto_start=e9&rf=cb Mozilla%2F5.0+%28Macintosh%3B+Intel+Mac+OS+X+10.6%3B+rv%3A32.0%29+Gecko%2F20100101+Firefox%2F32.0 e=se&se_ca=video-player%3Anewformat&se_ac=play-time&se_la=efba3ef384&se_va=&tid=","errors":[{"level":"error","message":"Field [se_va]: cannot convert [] to Double-like String"},{"level":"error","message":"Field [tid]: [] is not a valid integer"}]}""" } /** * Integration test for the EtlJob: * * Check that all tuples in a custom structured event * (CloudFront format) are successfully extracted. */ class NullNumericFieldsSpec extends Specification { "A job which processes a CloudFront file containing 1 event with null integer and double fields" should { EtlJobSpec("clj-tomcat", "2", true, List("geo", "organization")). source(MultipleTextLineFiles("inputFolder"), NullNumericFieldsSpec.lines). sink[String](Tsv("outputFolder")){ output => "not write any events" in { output must beEmpty } }. sink[TupleEntry](Tsv("exceptionsFolder")){ trap => "not trap any exceptions" in { trap must beEmpty } }. sink[String](Tsv("badFolder")){ buf => val json = buf.head "write a bad row JSON containing the input line and all errors" in { removeTstamp(json) must_== NullNumericFieldsSpec.expected } }. run. finish } }
bpt6k53284946_4
French-PD-Books
Public Domain
La beauté aussi est absolue, nécessaire, une et immuable dans son essence, et cependant elle se diversifie en une infinité de formes et de types différents, qui chacun l’exprime à sa manière et dont aucun ne l’épuise. Pourquoi n’en serait-il pas de même pour le bien ? Pourquoi, dans le monde moral, chacun n’agirait-il pas diversement,*selon ses aptitudes, ses forces, selon les circonstances dans lesquelles il est placé, et ne réaliserait-il pas, à sa manière, l’idéal du bien ? Sa conduite pourra peut-être choquer l’opinion publique, et même dans certains cas, violer telle loi établie; car aucune loi, quelque juste et nécessaire quelle soit, ne peut s’adapter parfaitement à toutes les circonstances, à toutes les individualités. Jamais l’agent moral ne se trouve placé deux fois identiquement dans la même situation. Chaque détermination est le résultat d’une combinaison particulière, d’un conflit imprévu de circonstances, de motifs, d’éléments divers; c’est un problème qui se pose chaque fois d’une façon différente et nouvelle, et qui demande une solution nouvelle aussi. A la conscience seule, j’entends la conscience éclairée par la raison absolue, appartient le droit de donner cette solution et de la revêtir de sa sanction suprême et inviolable. Sans doute la tâche de la conscience est difficile et délicate. Elle exige une grande rectitude, une grande sûreté, et surtout une parfaite sincérité. Pour un grand nombre d’hommes qui n’en sont pas encore arrivés là, la soumission prudente aux lois, aux règles établies et consacrées par l’usage, est souvent préférable, dans l’intérêt de chacun et de tous, à une initiative maladroite et périlleuse. Mais l’autonomie de la conscience n’en est pas moins le but idéal où tous nous devons tendre. Mais pour que la loi morale, sans cesser d’être absolue, puisse s’accommoder à la variété des individus et des circonstances, il faut qu’elle sorte de son abstraction métaphysique ; qu’elle se mêle aux incli' nations, aux passions, à toutes les forces qui constituent l’homme individuel et vivant. Les éléments, que l’analyse profonde de Kant avait trop rigoureusement séparés, doivent s’unir et se pénétrer. Mais il était nécessaire qu’ils fussent séparés d’abord et que leur caractère propre fût nettement marqué. Leur union n’est plus, alors une confusion, mais une harmonie intime et féconde. L’idée du bien, en pénétrant ainsi l’âme tout entière restera toujours la loi absolue, nécessaire, conçue par la raison, et non plus vaguement pressentie par le cœur. CHAPITRE VIII. Politique. Chez les philosophes du dix-huitième siècle, qui ne s’occupent pas de l’homme individuel seulement, mais de la société, les théories politiques sont comme dans l’antiquité un complément obligé des théories morales. Hemsterhuis cependant n’était pas attiré vers la politique par la seule curiosité philosophique et par la contagion du goût général de son époque. Ses occupations habituelles l’y invitaient en quelque sorte naturellement. Premier commis du secrétaire général du Stadhouderat des Provinces-Unies, mêlé par conséquent aux affaires, on comprend qu’il ait voulu étudier de plus près le mécanisme gouvernemental dans lequel il était lui-même engagé. Plusieurs lettres de sa correspondance avec M me Gallizin et avec le prince de Fürstenberg ; deux écrits inédits trouvés par nous à Münster, intitulés l’un : Réflexions sur les Provinces-Unies, l’autre : Démonstration géométrique de la nécessité d’un Stadhouderat héréditaire , prouvent qu’il avait l’intelligence et l’habitude des affaires. Ce dernier titre, cependant, laisse deviner un esprit qui se plaît aux abstractions et qui essaie d’appliquer le raisonnement mathématique aux choses de la politique et de l’histoire. Mais cette politique, toute spéciale et locale, n’intéresse guère le philosophe. Hemsterhuis s’est élevé ailleurs à des considérations générales et philosophiques sur l’origine de la société, sur le principe et la forme des gouvernements. Il a sa théorie politique, que nous allons étudier. Il semblerait qu’un homme de gouvernement et d’affaires, habitué à compter avec les faits et à se défier des utopies, dût porter un peu de ces dispositions dans l’étude des questions politiques. Il n’en est rien cependant. L’expérience et le bon sens pratique n’ont guère corrigé chez Hemsterhuis l’esprit chimérique du philosophe. Les utopies platoniciennes et les paradoxes de Rousseau se mêlent dans ses écrits à quelques vues ingénieuses et justes, mais qui résultent du sentiment délicat et vif de la dignité et de l’indépendance morales de l’homme, plutôt que de l’étude de l’histoire et de l’expérience des affaires. Fidèle à la méthode abstraite et dogmatique que Rousseau avait introduite dans l’étude des questions politiques, Hemsterhuis commence par rechercher l’origine de la société, et nous n’avons pas besoin de dire que c’est l’imagination plutôt que l’observation qui le dirige dans cette recherche. Toutefois il ne néglige pas entièrement le témoignage de la conscience. Fidèle à sa doctrine psychologique, il affirme avec force que la société n’est point un fait anormal, mais qu’elle a son origine naturelle dans cet instinct sympathique qui est le principe même de la vie morale et qui nous attire vers nos semblables avant toute réflexion, avant toute expérience des dangers de l’isolement ou des avantages de l’association. L’organe moral , qui est pour Hemsterhuis le principe de la morale, de la religion et du langage, est aussi le principe et le fondement de la société. « Ce n’est ni l’appétit du sexe, parce que les animaux ne vivent pas en société; ce ne sont pas les soins que réclament l’enfance et la vieillesse, parce que des sauvages abandonnent leurs enfants et tuent les vieillards. Il est évident qu’il faut chercher la vraie source de cette faculté sociable de l’homme dans le principe moral qui l’ennoblit et le distingue si prodigieusement de tous les êtres que nous connaissons sur la terre; ce principe, qui montre clairement que l’homme n’est ici qu’un oiseau de passage, ou un être qui par quelque loi inconnue s’est accroché pour quelque temps à la matière pour y exercer ses facultés, comme il les exercera probablement dans d’autres existences sur une matière totalement différente...1 1 » Mais ne nous y trompons pas. 11 ne s’agit pas ici de la société au sein de laquelle nous vivons actuellement, fondée sur l’inégalité des conditions et des fortunes, gouvernée par des lois écrites, obéissant à des pouvoirs officiellement constitués et reconnus. La société dont parle Hemsterhuis, c’est la société primitive, la société naturelle et parfaite, dont la nôtre n’est qu’une forme dégénérée. Réunis à l’origine par la sympathie irrésistible qui les attirait les uns vers les autres, les hommes ne connaissaient d’autres lois que cette sympathie même. Ils ignoraient la tyrannie des gouvernements et des lois, les malheurs de la guerre, les funestes effets de l’ambition, les privilèges iniques de la richesse et du rang, et malgré les inégalités inévitables créées par la nature entre les hommes, l’équilibre de cette société primitive fondée sur la sympathie n’était pas sensiblement troublé. C’était l’âge d’or de l’humanité 2. être qui donna le jour à la funeste et ridicule idée de propriété... et toute égalité fut détruite. Par là l’homme devint tout physique vis-à-vis de la société. Un homme qui avait cent arpents de terre et cent esclaves, était comme une seule masse, qui n’était rien pourtant en comparaison de la masse d’un homme qui avait cent mille esclaves et autant d’arpents l . » Il trouve une autre cause encore de la modification de cette société primitive, dans l’éducation, dans le développement inégal de l’intelligence et des connaissances. « Les hommes sont liés naturellement entre eux, à proportion de la quantité d’idées acquises qu’ils ont en commun. Par conséquent aussitôt que les signes communicatifs naturels se développèrent, un homme par les mêmes aliments, par la même éducation , par la conversation journalière, avait plus d’idées en commun avec ceux de la famille qu’avec tout autre. Le total des hommes se divisa en familles, et ces familles devinrent différentes les unes des autres à mesure que les langues et le peu de connaissances se perfectionnèrent. Mais aussitôt que ces connaissances arrivèrent à un point qu’elles purent produire des effets généraux, le besoin des hommes lia de nouveau plusieurs sociétés particulières ensemble. Mais la société primitive générale avait été composée ' Lettre sur l’homme, p. 133. d’individus égaux ou peu s’en faut, tandis que ces sociétés particulières, nées après une certaine culture de l’esprit, étaient extrêmement hétérogènes, ce qui causa du désordre. Pour le prévenir, on imagina les gouvernements 1 . » Dans le dialogue intitulé Alexis, qu’il publia en 1787 dans la période de poésie et de platonisme, Hemsterhuis, comme tous les philosophes qui du sein de ce monde imparfait et misérable rêvent le bonheur et la perfection, se plaît à tracer le tableau de cette société primitive. Prenant ses espérances pour des souvenirs, il nous montre d’abord l’homme dans toute la plénitude de sa nature parfaite : ses facultés, plus énergiques à la fois et plus délicates qu’elles ne le sont aujourd’hui, s’exerçaient alors avec une rapidité et une aisance dont nous ne pouvons plus nous faire une idée. L’intelligence, d’une vue immédiate et sûre saisissait les rapports des choses, quelle ne parvient à saisir aujourd’hui que lentement et difficilement. Servie par des organes plus souples et plus délicats, elle exprimait avec une incomparable précision tous les mouvements de lame. L’organe moral surtout, la faculté maîtresse, possédait une vigueur et une finesse qui rendaient à l’homme l’accomplissement du bien facile et agréable, et son bonheur coïncidait avec le bonheur de ses semblables. Hemsterhuis ne s’arrête pas à l’homme. Son imagination transforme également la nature, et arrange à cette société parfaite, un séjour digne d’elle. Pour expliquer comment la société actuelle est si différente de la société primitive, et par quelles causes un si grand changement s’est opéré, l’auteur d'Alexis continue cette fiction poétique, à laquelle il mêle des conjectures scientifhjùes. Il raconte comment la lune, qui n’était pas à l’origine satellite de la terre, heurta dans sa course vagabonde notre globe, et comment ce choc produisit un bouleversement épouvantable. L’harmonie parfaite et l’heureux équilibre qui avaient régné jusque là dans la nature furent détruits. L’homme lui-même ressentit les effets de cette catastrophe. Le lien puissant et doux de la sympathie, qui enchaînait étroitement les hommes entre eux, se relâcha; des besoins nouveaux, des passions jusqu’alors inconnues s’éveillèrent. La propriété s’établit ; le faible eut besoin de se défendre contre le fort. L’organe moral n’était plus assez puissant pour pousser l’homme au bien et le détourner du mal. Il fallut des gouvernements et des lois. La société actuelle naquit. Cette description , que nous résumons ici, et où des souvenirs de poésie et de philosophie ancienne se mêlent à des observations de science et d’astronomie modernes; où les fictions de Platon et d’Ovide sont commentées par les découvertes de Newton et de Kepler, est tout à fait dans le goût du dix-huitième siècle, à la fois positif et chimérique. Rousseau l’eût goûtée à coup sûr. Jacobi, le Rousseau de l’Allemagne, l’ami, l’admirateur d’Hemsterhuis, voulut faire partager son admiration à ses compatriotes. Il traduisit Y Alexis, qu’il regardait comme le chef-d’œuvre de son ami 1. • Nous ne voulons pas chicaner Jacobi sur son admiration pour un genre de beautés auquel nous sommes moins sensibles aujourd’hui qu’on ne l’était il y a cent ans. Constatons Seulement ce qui ressort pour nous du tableau allégorique dont nous venons de donner une idée : c’est que la société actuelle n’est pas le résultat du développement libre et naturel de nos instincts et de nos facultés, mais l’effet d’une perturbation qui s’est produite dans la nature humaine ; quelle est une création artificielle de l’homme, et non pas un fruit de la nature ; une imperfection et non pas un progrès. Le bien se faisait librement, naturellement sous l’impulsion irrésistible de l’organe moral. Dans la société actuelle au contraire, la loi, l’œuvre artificielle de la volonté humaine, essaye par des moyens extérieurs et matériels de suppléer à l’insuffisance de l’organe moral affaibli et corrompu. C’est une nécessité sans doute, que la condition actuelle'de l'humanité a rendue inévitable, mais c’est en même temps une contrainte humiliante pour la dignité de l’homme. « L’homme né libre, s’écrie Hemsterhuis avec tris— tesse, est esclave de la législation 1. » Pour le commun des hommes, dont le sens moral est émoussé, cette contrainte des lois offre peu d’inconvénients. Elle a même ses avantages. La loi commande le bien, qui sans elle ne se ferait pas ; elle empêche le mal, qui sans elle se ferait. Mais les âmes hautes et généreuses, chez qui les facultés morales ont conservé quelque chose de leur pureté primitive, protestent contre cette tyrannie des lois, qui les gêne et les humilie. IJ y a lutte entre la loi sociale et la conscience individuelle, et dans cette lutte, Hemsterhuis (sa morale nous l’a déjà appris) prend partie pour la conscience individuelle contre les lois. Il absout, il glorifie même toutes les actions oii se marque avec éclat cette opposition. Un autre vice de la société actuelle, selon notre auteur, c’est que l’intérêt et la lin de l’État ne sont pas les mêmes que ceux de l’individu. La fin de l’État est toute terrestre, la fin de l’individu va au delà de ce monde et de cette vie. Cet antagonisme devient d’autant plus funeste, que l’État a besoin de l’activité, du dévouement, du courage, de toutes les vertus morales pour se soutenir et se défendre. Il est obligé d’empiéter sans cesse sur le domaine sacré de la conscience morale. Il se sert de moyens extérieurs et matériels, de l’argent, des honneurs, des récompenses, pour entretenir ces vertus. Il flatte la cupidité, l’ambition, la vanité. La religion même devient entre ses mains un instrument politique dont il se sert pour assurer la fidélité du serment. Il suppose des révélations , il crée un culte ; en un mot il tourne à son avantage et s’approprie en quelque sorte les facultés morales dont l’individu devrait avoir la libre disposition. Il scinde l’homme en deux. Voilà, selon Hemsterhuis, le vice inhérent à la société actuelle, quelles que soient d’ailleurs les formes diverses quelle présente. « La religion n’avait rien de précis chez les Grecs ; le polythéisme en faisait un objet de cérémonie et de parade. La vertu civile était donc la seule chose qu’on eût à perfectionner. « L’individu devint partie intégrante de l’État. Son bien particulier coïncidait avec celui de l’État ; et se voyant soi-même l’image de l’État, toutes ses facultés se multiplièrent, ce qui produisit l’activité, l’industrie, l’ambition et, ce qui plus est, ce vivifiant amour de la patrie 1 . » Cette admiration de l’antiquité, qui est générale au dix-huitième siècle, et ce dédain de la société moderne ne paraissent pas conséquents avec le principe même de la morale et de la politique de notre auteur. Lui qui réclame la liberté absolue pour la conscience individuelle, et qui lui sacrifie les lois, l’opinion publique, comment n’a-t-il pas vu que cette société antique, dont la belle unité l’enchante, est au fond la plus despotique de toutes , car elle absorbe l’individu tout entier, tandis que la société moderne laisse au développement libre de l’individu une plus large part ? Il est facile de démêler la vraie raison de cette préférence. Hemsterhuis partage les préventions et l’antipathie de son siècle contre l’autorité religieuse. Or, dans la société antique, il l’a dit, la religion 'Lettre sur les désirs, p. 63. n’était rien ; elle laissait à la pensée, à l’activité individuelle sa plus complète liberté, elle ne songeait ni à l’attaquer ni à l’opprimer. Dans la société moderne au contraire, il voit à côté et quelquefois audessus de l’État, l’Église, qui s’empare du gouvernement des âmes, et c’est là sans doute ce qui fait pour lui l’infériorité de la société moderne, surtout parce que le législateur lui-même est obligé de se servir de la religion pour fortifier la vertu civile : «Avec le christianisme, l’individu se partage en quelque sorte entre la terre et le ciel, et la vertu civile s’affaiblit. Le législateur voulut la fortifier en y mêlant la religion. La société, qui n’a de droit que sur les actions extérieures de l’individu, entama ses intentions, ses méditations et tout ce qui appartient uniquement à son rapport avec Dieu. « L’individu de son côté ne vit plus que lui-même et ne se considéra plus comme lié à la société. La religion et la vertu civile, qui auraient dû rester séparées,, s’affaiblirent réciproquement et de là, l’inactivité et l’abrutissement 1 . » L’admiration de la société antique et la chimère de l’égalit# emportent même le judicieux Hemsterhuis jusqu’à une singulière et extravagante imagination. Il ose proposer sérieusement, pour revenir à cette belle simplicité qui lui paraît être la perfection, Lettre sur les désirs, p. 64. de rétablir l’esclavage, afin de diminuer le nombre des citoyens et d’augmenter ainsi les chances d’égalité entre un petit nombre de privilégiés 1 . Ces exagérations ne sont pas rares chez les politiques spéculatifs du dix-huitième siècle, qui se laissent égarer à la fois par l’utopie et par la logique abstraite. Rousseau en offre plus d’un exemple. Hemsterhuis est de son siècle et il avait lu Rousseau. En effet, cette conception chimérique d’une société parfaite, dont la nôtre n’est qu’une corruption ; cette obstination à ne voir dans les institutions sociales et religieuses que des créations artificielles d’une politique ambitieuse ; enfin cet engouement irréfléchi pour l’antiquité, tout cela vient sans doute de l’étude des anciens, et de Platon, mais surtout de l’esprit général du dix-huitième siècle et de la lecture du Contrat social . Il est cependant un point où Hemsterhuis se sépare de Rousseau et même de son siècle, et où il est vraiment original. En effet, Rousseau et beaucoup d’autres avec lui, cherchant la meilleure forme du gouvernement, trompés à la fois par leurs souvenirs d’antiquité, et par la rigueur apparente de leurs déductions logiques, avaient imaginé une société qui, sous les apparences et le nom de la Démocratie, était un véritable despotisme. 1 Lettre sur l’homme et ses rapports, p‘. ISO. Hemsterhuis au contraire, malgré l’admiration qu’il professe pour l’antiquité, reste fidèle au principe qui domine toute sa philosophie, et dont nous avons vu dans sa morale les applications souvent excessives et périlleuses. Ce principe c’est l’indépendance absolue de la conscience individuelle. Si nous réunissons les différents passages que nous avons cités tout à l’heure, nous verrons qu’au fond le but de la politique de notre auteur n’est pas de rendre l’Etat plus fort, mais l’individu plus libre ; qu’il veut restreindre le plus possible l’autorité de l’État, ne lui abandonner que les actions extérieures des citoyens ; ne lui demander que la protection et la sûreté matérielles, en attendant que se réalise cette société parfaite et heureuse qu’il a placée au début de l’humanité et dont il entrevoit le retour dans l’avenir comme dans un beau rêve 1 . Sans doute, Hemsterhuis n’a pas approfondi cette opinion aujourd’hui fort débattue, et qui chaque jour cependant gagne de nouveaux partisans. Il ne s’est pas attaché à marquer les limites entre les droits et l’action de l’État et ceux de l’individu. Nous trouvons ici comme ailleurs, chez lui, une aspiration plutôt qu’une idée, une protestation du sentiment contre tout ce qui gêne la liberté, humilie la dignité morale de l’homme, plutôt qu’une doctrine précise, appuyée * Voy. Alexis ou l’Age d'or. sur des faits et rattachée à des principes. Mais, tout incomplète qu’elle est, cette idée mérite d’être recueillie , car elle n’est pas commune au dix-huitième siècle, et il est juste d’en faire honneur à l’ingénieuse pénétration d’Hemsterhuis et à la vérité du principe même qui domine toute sa philosophie. CHAPITRE IX. Le beau et l’art. Le problème du beau, sur lequel le génie antique avait répandu de vives lumières, que la scolastique avait complètement négligé, et que la philosophie cartésienne avait à peine entrevu, préoccupe beaucoup la philosophie du dix-huitième siècle. En France, en Angleterre, en Écosse, en Allemagne on s’y intéresse également. Les penseurs les plus éloignés les uns des autres, et les plus opposés, se rencontrent dans cette étude intéressante et presque nouvelle. Elle occupe Montesquieu et Herder, Hutcheson et Lessing, Diderot et Kant. Hemsterhuis rencontrait donc partout autour de lui le problème du beau, et il n’est pas étonnant qu’il s’y soit intéressé à son tour. Mais son inclination et son goût personnels le portaient vers le beau et vers l’art, autant que le goût général de son époque. Hemsterhuis est artiste autant et plus encore peut-être qu’il n’est philosophe. L’admiration de l’antiquité, l’étude de Platon, avaient développé en lui l’amour du beau et le goût des arts, que l’éducation de la maison paternelle avait éveillé de bonne heure déjà. Tibère Hemsterhuis, le père de notre philosophe, était un savant dans la plus large acception du mot. Il faisait servir à l’interprétation des écrivains de l’antiquité,, non-seulement la grammaire et la linguistique, mais les monuments, les oeuvres d’art, toutes les formes de la vie et du génie antiques. Sa maison était pleine de médailles , de bas-reliefs, d’œuvres d’art 1 , et François put se pénétrer de bonne heure, et comme en se jouant, des formes pures de l’art grec. De là sans doute aussi ce goût des pierres antiques qui fut une des passions de sa vie. Sa collection, enrichie avec amour et patience, devint bientôt une des plus riches et des plus célèbres 2 . A cette passion pour les œuvres d’art Hemsterhuis joignait un talent distingué de dessinateur. Les dessins qui accompagnent la Lettre sur la sculpture et la Lettre sur les désirs 3 et les vignettes symboliques placées en tête de ses principaux dialogues sont de sa main 3. 1 Voy. Vie d’Hemsterhuis , chap. II. * Goethe en parle avec admiration (voy. Œuvres, t. XXX). 3 On lui doit aussi un portrait de Jacobi d’une finesse de touche remarquable et d’une parfaite ressemblance. Nous possédons nous-même une épreuve de ce portrait que nous devons à la complaisance de M. Jacobi, petit-fils de l’illustre philosophe et officier supérieur dans l’armée prussienne. Ce sont deux écrits sur des matières d’art qui firent connaître le nom d’Hemsterhuis au monde philosophique. La Lettre sur une pierre antique et la Lettre sur la sculpture furent ses premiers ouvrages. La première n’offre aucun intérêt philosophique. Elle est d’un simple amateur , qui ne s’élève pas audessus des considérations techniques et des observations de détail. Dans la Lettre sur la sculpture Hemsterhuis prend la question de plus haut. Il cherche à déterminer la nature propre de la sculpture, et il tente une définition générale du beau. Dans le dialogue Simon publié vingt ans plus tard, en 1787, les idées sur l’art et sur la sculpture, assez faiblement indiquées dans les premiers écrits, sont reprises avec plus de précision et de force. Winckelmann et Lessing avaient paru dans cet intervalle. Examinons d’abord l’idée qu’Hemsterhuis se fait du beau et la définition qu’il en donne. Nous recueillerons ensuite ses observations et ses réflexions sur l’art^ et particulièrement sur la sculpture. Fidèle aux habitudes d’analyse et d’observation qu’il tenait à la fois de son temps et des traditions socratiques., Hemsterhuis commence par étudier ce qui se passe en nous lorsque nous sommes en présence des objets que nous jugeons beaux. Ensuite seule ment il arrive à la définition du beau lui-même. Cette méthode, trop souvent négligée, est certainement la plus sûre, mais à condition qu’elle soit appliquée avec rigueur et qu’elle sache distinguer dans les phénomènes variés et complexes qui se produisent dans l’âme du spectateur en présence du beau, ce qui appartient à l’essence absolue et immuable de la beauté elle-même, et ce qui tient aux dispositions variables de notre individualité. Nous verrons si Hemsterhuis a su éviter cet écueil dans le cours de son analyse. Il nous place tout d’abord en présence d’un objet quelconque, d’une statue par exemple : Notre œil, dit-il, pour arriver à la connaissance totale de l’objet, est obligé de parcourir successivement tous les points qui en forment le contour, et de les relier ensuite entre eux pour former l’image du tout. Lorsque cette opération de l’esprit se fait rapidement et facilement ; lorsque l’œil et l’intelligence ne sont arrêtés par aucun obstacle, l’âme éprouve un sentiment de satisfaction et de plaisir. Ce plaisir vient, assure Hemsterhuis, de ce quelle a eu en très-peu de temps un grand nombre d’idées. objet, elle est contente, et cette satisfaction constitue précisément pour Hemsterhuis le sentiment du beau. Nous n’examinons pas encore si notre auteur a raison de prendre cette satisfaction de l’intelligence pour le sentiment même du beau, et si sa définition par conséquent est parfaitement juste. Mais nous constatons quelle repose au moins sur un fait psychologique exact, et nous ajoutons qu’elle n’est pas sans analogie, malgré sa forme originale, avec quelquesunes des plus célèbres définitions du beau que le dixhuitième siècle a produites. Ainsi Marmontel et Grousaz, qui ont placé le beau dans la proportion et l’harmonie, ont dit à peu près la même chose qu’Hemsterhuis ; car c’est précisément la proportion et l’harmonie que l’intelligence rencontre dans les choses qui lui permettent de voir beaucoup en peu de temps. D’autre part la multiplicité des rapports qui, selon Diderot, constitue le beau, d’où résulte-t-elle, sinon de la possibilité de faire coexister beaucoup d’idées dans un instant? Et enfin l’unité et la variété qu’Hutclieson, après saint Augustin, proclame comme l’essence même du beau, répondent assez bien à ce besoin de l’âme, de réunir dans l’unité d’un moment presque indivisible une grande variété d’idées. La définition d’Hemsterhuis qu’on a quelquefois rejetée du premier coup comme absurde et ridicule 4 , est donc au fond aussi raisonnable cpie celles qu’on adopte ou qu’on discute sérieusement. Mais cela ne veut pas dire qu’elle soit plus complète et plus vraie. Elle soulève plus d’une objection. Hemsterhuis fait reposer le beau sur deux points : Un maximum d’idées concentré dans un minimum de temps. Remarquons qu’il ne détermine pas la nature de ces idées, leur contenu. Le nombre seul importe. Mais n’y a-t-il pas nombre d’objets qui font naître en nous le même nombre d’idées, et que nous jugeons certainement plus beaux les uns que les autres, quand cependant, d’après notre définition, ils devraient être également beaux ou également laids ? Il ne faut assurément pas plus de temps à l’œil pour embrasser un carré qu’une ellipse, et cependant la forme gracieusement arrondie de l’ellipse est plus belle que la forme raide et anguleuse du carré. Me 1 Tœpfer, Menus propos d’un peintre genevois. « L’âme, dit le Hollandais Hemsterhuis (c’est Tœpfer qui parle) juge le plus beau, ce dont elle peut se faire une idée dans le plus court espace de temps. voici en présence de deux visages : je les suppose tous deux également réguliers ; il ne me faut certainement pas plus de temps pour saisir l’un que l’autre. Pourquoi se fait-il que l’un soit jugé par moi plus beau que l’autre ? Hemsterhuis pourrait m’objecter que l’une des deux figures me donne, outre l’idée même des traits qui la composent, l’idée de la grâce, de la candeur, de l’intelligence. Mais l’autre figure pourra me donner de la même manière, l’idée de la ruse, de la fausseté, de la sottise. Voilà autant d’idées que tout à l’heure, et cependant je persiste à regarder la première figure comme infiniment plus belle que la seconde. Ne serait-ce pas, parce que ce n’est pas seulement le nombre d’idées et le temps dans lequel on les reçoit, mais leur nature,.leur objet propre, qui font naître en nous l’idée et le sentiment de la beauté? En outre, dans le nombre d’idées que fait naître en nous un objet on doit compter non-seulement celles qui constituent l’objet lui-même, mais encore celles que l’association, le souvenir peuvent réveiller en nous. Un objet insignifiant peut ainsi réveiller en moi beaucoup plus d’idées que le plus beau chefd’œuvre de l’art ou de la nature ; il faudrait en conclure alors qu’il est réellement plus beau. Quand Bonaparte montrait à ses soldats .les Pyramides du haut desquelles quarante siècles les contem plaient, la vue de ces monuments pouvait faire naître chez eux plus d’idées que n’aurait fait le Parthénon ou la coupole de Saint-Pierre. En faut-il conclure que réellement ils auraient jugé les Pyramides plus belles, s’ils avaient pu faire la comparaison? Hemsterhuis paraît le croire, car passant de la théorie aux exemples il dit : « Lorsqu’un homme échappé du naufrage voit le tableau d’un naufrage, il est plus affecté que les autres. Lorsque Cicéron défend Ligarius, tout le monde l’admire, mais c’est César qui pâlit, qui frissonne, marque certaine qu’aux mots de Pompée et de Pharsale il avait plus d’idées concentrées et coexistantes1. 1. » Mais les exemples cités ici ne sont pas favorables à la théorie que nous discutons. L’émotion qu’éprouve un homme échappé au naufragé à la vue d’un naufrage est indépendante du plaisir artistique que cette vue peut lui donner. l’admiration toute littéraire que lui inspire l’éloquence du grand orateur. Un orateur médiocre aurait pu réveiller les mêmes souvenirs sans produire le même effet. Si la théorie d’Hemsterhuis était vraie, l’objet beau ne serait plus qu’un signe destitué de toute valeur propre, et destiné seulement à réveiller par association un certain nombre d’idées en nous. Le symbolisme serait le dernier mot de l’art. Ce n’est pas tout. La rapidité avec laquelle nous saisissons un grand nombre d'idées en peu de temps, dépend moins encore des choses que de nous, elle tient à la rapidité ou à la lenteur de notre intelligence. Dans l’hypothèse d’Hemsterhuis, le même objet, aperçu par plusieurs personnes, leur paraîtra successivement beau ou laid suivant qu’elles l’auront plus vite ou plus lentement saisi. Sans doute nous savons qu’il faut tenir compte des qualités, des aptitudes, des dispositions particulières de chaque homme dans les jugements qu’on porte sur le beau. Mais il y a aussi dans le beau et dans l’action qu’il exerce sur nous,, quelque chose d’absolu, d’universel, et qui est indépendant de ce qui en nous tient de l’individu et des circonstances. Mais poursuivons notre discussion. J’ai sous les yeux un dessin, dont les contours irréguliers, les lignes incohérentes, qui se croisent et s’enchevêtrent, fatiguent mon esprit et ne lui permettent que lentement et difficilement de s’en faire une idée. Cette figure sera incontestablement laide, la définition d’Hemsterhuis la condamne. Mais cette difficulté de saisir l’ensemble et les détails de ce dessin et qui est le signe de la laideur, diminue nécessairement par l’habitude. Plus je regarderai l’objet et moins il me faudra de temps pour l’embrasser. Il viendra un moment où j’aurai dans très-peu de temps, dans le moins de temps possible, toutes les idées que cet objet peut me donner, et le même objet que j’aurai d’abord jugé laid en vertu de la définition d’Hemsterhuis, sera maintenant beau en vertu de la même définition. La différence entre le beau et le laid ne sera donc qu’une différence de degré. La limite qui les sépare sera toujours flottante et ne sera déterminée que par les dispositions et les aptitudes toujours variables des spectateurs. Faudra-t-il pour cela rejeter cette définition? Assurément non. 12 La définition d’Hemsterhuis offre aussi beaucoup d’analogie avec celle cpie Kant développa quelques années plus tard dans sa Critique du jugement , et d’après laquelle il place le beau -dans l’union libre de l’imagination et de la raison. En effet, la raison représente assez bien l’unité de temps dans laquelle se concentre la variété des éléments fournis par l’imagination. Cette coïncidence n’a*rien qui nous étonne. Ailleurs déjà nous avons rencontré dans notre auteur les germes de quelques-unes des idées de Kant. Il ne nous paraît nullement invraisemblable que Kant, qui faisait cas d’Hemsterhuis et de ses ouvrages, ait été frappé de cette définition du beau, et qu’il s’en soit souvenu en composant sa Critique du jugement. Quoi qu’il en soit, le défaut principal de cette théorie ingénieuse, comme aussi de celles de Goethe et de Kant, c’est de confondre le sentiment du beau avec l’idée et le jugement du beau; l’élément intime, individuel et variable, et l’élément absolu et universel. Elle e^t toute subjective; elle enlève toute réalité esthétique aux choses pour la transporter en nous. Hemsterhuis, du reste, ne le dissimule pas, car il dit en propres termes, comme pour résumer sa théorie : « Changez les choses, la nature de nos idées du beau restera la même ; mais si vous changez l’essence de nos organes, toutes nos idées présentes de la beauté LE BEAU ET L’ART. 17D rentreront aussitôt dans le néant. Le beau n’a aucune réalité en soi-même 1. » Toutefois cette définition du beau, telle que nous l’avons comprise et discutée, et telle quelle s’explique d’elle-même en quelque sorte, n’est pas le dernier mot d’Hemsterhuis. Rappelons-nous la théorie platonicienne de notre auteur sur la connaissance. Si nous la rapprochons de sa définition du beau, nous verrons cette définition changer de sens et de portée, s’agrandir et s’élever. L’âme est une substance divine et immortelle, mais soumise aux lois de la nature matérielle à laquelle elle est associée. Si l’âme n’obéissait qu’à ses propres lois, si elle ne relevait que d’elle-même, elle serait en dehors du temps et de l’espace. Aimer, connaître, pour elle, ce serait s’unir dans un moment indivisible avec l’objjet de son désir, se confondre entièrement, ne faire qu’un avec lui. Mais comme elle est enfermée dans un corps, cette union complète, absolue, immédiate, lui est interdite. son existence actuelle, comme une répugnance pour tout ce qui est succession et durée. Ne pouvant pas s’unir dans un moment indivisible avec l’objet de son désir, le saisir sans intermédiaire, sans obstacle, dans une intuition immédiate et instantanée, elle cherche du moins à s’approcher le plus près qu’elle peut de cette union idéale, de ce bonheur divin. En un mot, elle cherche à avoir dans le moindre temps le plus d’idées possible. Or, parmi les êtres avec lesquels l’âme peut s’unir, quels sont ceux qui lui promettent l’union la plus facile, la plus rapide, la plus complète; qui peuvent lui donner dans le minimum du temps le maximum d’idées ? Ce sont évidemment les êtres dont la nature est semblable à la sienne, les êtres spirituels, les âmes. Les objets matériels la rebutent bien vite, car elle reconnaît aussitôt l’impossibilité de l’union quelle cherche. Mais l’union même avec les âmes est incomplète encore, car les âmes sont enfermées dans des corps. Il n’y a qu’un seul être, dans le monde des êtres immatériels, avec lequel elle puisse s’unir aussi complètement et aussi rapidement que le permette sa terrestre condition ; un seul être qui lui donne le plus d’idées dans le moindre temps, et cet être, c’est Dieu. Dieu sera donc pour l’âme le suprême objet d’amour et de désir. Il sera en même temps la suprême beauté, et les autres êtres seront plus ou moins beaux selon qu’ils participent davantage de la nature divine et moins de la nature matérielle l . La question, on le voit, change tout d’un coup d’aspect, et de cette définition du beau, qui nous avait paru d’abord étroite et incomplète, nous voyons sortir une théorie large et profonde et dont on reV connaît de suite l’origine. Nous sommes en ce moment bien loin de l’empirisme et du sensualisme modernes ; nous sommes sur les hauteurs de l’idéalisme, près de Platon et plus près encore de Plotin. Hemsterhuis dépasse ici de beaucoup ses contemporains. Il semble annoncer les grandes doctrines métaphysiques et idéalistes, qui, à la fin du dernier siècle, ont renouvelé la science du beau et la théorie des arts. Le beau ne résulte plus maintenant des dispositions toutes personnelles du spectateur : il a une réalité objective, indépendante de nous; il se confond avec l’être absolu lui-même. Mais en même temps un lien étroit rattache l’ame au beau ; car, étant elle-même divine, elle aspire au beau comme à sa source. En contemplant le beau, elle se détache de la matière, 1 Lettre sur les désirs, p. 54. elle se reconnaît et se retrouve elle-même, acquiert une conscience plus nette, un sentiment plus vif de son immortelle nature. Assurément cette partie métaphysique de la théorie d’Hemsterhuis n’est qu’indiquée chez lui, et n’a pas la précision que nous lui donnons ici. Il ne s’est pas attaché non plus à la mettre d’accord avec celle que nous avons exposée d’abord; il n’a pas cherché h les fondre ensemble. Mais ce désaccord même est tout à fait conforme au caractère de sa doctrine, que nous voyons, ici comme ailleurs, flotter entre l’empirisme de l’école sensualiste, et les aspirations mystiques de la philosophie platonicienne. De l’art. L’idée qu’Hemsterhuis se fait de l’art découle naturellement de la définition même qu’il donne du beau. Puisque le beau est ce qui nous donne le plus d’idées dans le moins de temps, l’art ne sera pas une simple imitation de la nature, car ce n’est que par l’effet d’un hasard qui ne se rencontre pas souvent que les choses sont naturellement disposées pour la perception du beau, c’est-à-dire pour nous donner dans le plus court instant le plus grand nombre d’idées possible. L’artiste ne peut donc pas se contenter d’imiter la nature. Il doit « renchérir sur la nature et produire ainsi ce que la nature ne produit que rarement et difficilement 1 ,» Cette théorie est supérieure sans doute à celle de Yimitation qu’on rencontre partout au dix-huitième siècle. Mais elle ne va pas au delà de Y embellissement de la nature. Nous la trouvons développée dans la Lettre sur la sculpture. Elle ne paraît cependant pas être le dernier mot d’Hemlterhuis. Nous avons montré déjà que sous la définition du beau qu’il a donnée, se cache une théorie plus sérieuse et plus profonde ; et quoiqu’il n’en ait pas tiré toutes les conséquences et toutes les applications quelle renferme, et qu’il n’ait pas reconnu dans l’art une création personnelle, dont le modèle est dans l’âme inspirée de l’artiste, plutôt que dans les objets mêmes qui sont sous ses yeux, on trouve cependant chez lui quelques vues supérieures et qui le rapprochent des idées de notre temps. Il parle quelque part du déplaisir qu’éprouve l’artiste à voir son idée perdre quelque chose de sa pureté, en se produisant au dehors, en entrant dans une forme matérielle. Il constate que l’œuvre complète, réalisée, est bien au-dessous de la splendeur divine de la première idée 2 . Cette expression toute 1 Lettre sur la sculpture, p. 31. * Lettre sur la sculpture, p. 26. platonicienne ou plutôt plotinienne, ainsi que quelques idées originales sur la sculpture et la poésie que nous exposerons plus loin et où il se rencontre avec Lessing, prouvent qu’ici encore il a vu quelquefois plus haut et plus loin que beaucoup de ses contemporains. Nous le retrouvons cependant fidèle aux idées alors dominantes, quand il confond à peu près l’art avec le jeu et le métier et lui donne pour fin l’utilité et l’agrément. Il distingue, il est vrai, parmi les arts ceux qui ont pour objet fâme, et non le corps luimême, mais il ne paraît pas comprendre la véritable nature et la véritable fin de l’art, qui n’ont été comprises complètement que depuis que l’étude du beau a été rattachée à l’étude métaphysique des principes premiers. Alors seulement on a reconnu que l’art est absolument désintéressé, étranger à toute idée de métier et d’utilité, et qu’il ne vise pas tant à plaire qu’à nous montrer à travers les splendeurs du beau, la vérité absolue elle-même 1. Mais, à défaut de pénétration métaphysique, son instinct d’artiste et son imagination de poète devaient faire entrevoir à Hemsterhuis l’origine divine et la noble fin de l’art. Il exprime son idée dans un passage bizarre mais ingénieux : 1 Voy. sur le Beau et sur les Arts les belles leçons de M. Cousin, dans son livre aujourd’hui classique : Du Vrai, du Beau, du Bien. Paris, Didier. — Voy. aussi La Science du Beau, par Charles Levêque. Paris 1861. I «Tout art est l’enfant bâtard d’un Dieu. Vous savez que les dieux quittent souvent l’Olympe, le fond des mers et le Tartare pour se mêler corporellement avec les corps humains qui leur plaisent, d’où sont nés Hercule, Persée, les Tyndarides et nombre de héros et de demi-dieux qui sont devenus l’objet de notre culte. Mais sachez que les âmes des dieux se plaisent plus souvent encore à s’unir avec les âmes humaines dont la beauté les attire, et c’est de ce mélange que naissent les arts. Celui de la législation et de la politique est enfant de l’âme de Jupiter et de celle de Minos, de Solon ou de Lycurgue; la poésie sublime est née de lame d’Apollon et de celle d’Homère , d’Hésiode ou d’Orphée. La sculpture et la peinture ont pour père Yulcain et pour mères les âmes de Dédale, de Dipœnus ou de votre Phidias 1. tait entre les mains du législateur comme un instrument d’éducation. Mais ce qui est surtout ’dans le ,goût du temps, c’est que la tirade que nous venons de citer est mise dans la bouche d’un Scythe, d’un de ces barbares philosophes que l’école de Rousseau avait mis à la mode, et qu’on se plaisait à orner de toutes les vertus naturelles pour le placer ensuite comme un contraste humiliant, comme un repoussoir, en face de la société corrompue par la civilisation. Parmi les beaux-arts, la sculpture attire surtout Hemsterhuis. Il y rattache toutes ses observations sur le beau. Il parle peu de la peinture et ne dit rien de la musique. La sculpture en effet est celui de tous les beaux-arts dans lequel le génie artistique de l’antiquité a trouvé son expression la plus complète. La peinture et la musique sont pour ainsi dire des arts plus chrétiens que païens. Du moins c’est dans le monde moderne, pénétré de l’influence du christianisme, qu’ils sont développés avec le plus de puissance et d’éclat. On comprendra donc qu’ils aient moins préoccupé que la sculpture ce fervent admirateur de l’antiquité païenne, imbu en outre des préjugés de son époque à l’endroit du christianisme et de la civilisation qui en est sortie. Ce sera donc de la sculpture qu’Hemsterhuis parlera de préférence. Non-seulement la sculpture est à ses yeux le plus parfait des arts d’imitation; il veut aussi que la sculpture soit antérieure aux autres arts et il donne ingénieusement, quoiqu’un peu spécieusement, les raisons de son opinion : Il lui semble naturel que lorsque l’on a commencé à imiter les objets extérieurs, on a dû d’abord les imiter en bloc, plutôt que d’en reproduire seulement la surface colorée et les ombres. Cette imitation plus savante demande déjà un certain effort d’abstraction. Le dessin et la peinture supposent en effet les idées tout abstraites de ligne et de couleur, qui ne ê peuvent s’acquérir qu’à la suite d’un exercice assez développé de la vue 1. Mais de tous les sens le tact paraît être celui qui se développe le plus vite et se perfectionne le plus tôt. On a donc dû se servir pour les premières imitations des idées que nous donne le tact, plutôt que de celles que nous donne la vue. Hemsterhuis en véritable connaisseur ne s’arrête pas seulement devant les chefs-d’œuvre de l’art grec : il admire aussi l’art étrusque, et s’attache à marquer les caractères qui le distinguent de l’art grec. Il trouve d’autre part une grande ressemblance entre l’art des Étrusques et l’art des Égyptiens et il en conclut que les Étrusques ont copié les Égyptiens. Mais il se contente d’affirmer cette parenté sans se donner la peine de la prouver 1 ; et cependant on se demande à quelle époque et par quels moyens les Étrusques ont eu connaissance des monuments de l’art égyptien dont ils.ont été les copistes. Les Grecs, les seuls qui eussent pu leur servir d’intermédiaires, n’ayant en aucune façon, selon Hemsterhuis lui-même, subi l’influence égyptienne! Quoi qu’il en soit, les travaux récents et approfondis sur l’art étrusque n’ont pas, que nous sachions, confirmé cette hypothèse de notre auteur ; ils s’abstiennent faute de documents suffisants de rien affirmer de positif sur l’origine de l’art étrusque 2 . Nous l’avons déjà dit : il ne faut pas s’attendre à trouver chez un philosophe tout plein de l’antiquité, et pénétré en outre de l’esprit du dix-huitième siècle, le sentiment vrai des beautés de l’art chrétien. Le moyen âge est pour lui une époque de bar1 Lettre sur la sculpture, p. 39. * Voy. Denys, Researches on tuscan arts. London (Longman). barie; l’art gothique un essai informe et grossier, semblable « au dessin d’un enfant dont l’œil et l’intelligence ne sont point exercés encore à saisir dans les choses les rapports exacts des lignes et des surfaces i . » Pour ce qui est de la sculpture, Hemsterhuis est entièrement dans le vrai quand il dit qu’elle avait disparu avec le monde ancien. Mais la manière même dont il justifie son opinion montre, ce nous semble, qu’il ne comprend pas la vraie beauté du christianisme et qu’il ne soupçonne pas les trésors de poésie et d’inspiration qu’il porte en lui. « Les peuples qui venaient de dévaster l’Europe n’avaient rien, ni dans leur caractère ni dans leur état politique ni dans leur religion, qui dût les mener rapidement à la culture des beaux-arts. La religion chrétienne demandait des temples et des images ; mais ce n’était plus des Apollons, des Bacchus ou des Vénus qu’on avait à représenter ; c’étaient des morts en purgatoire, des saints à la torture, des pénitents ou des martyrs 2 . » « L’artiste grec, pour faire un Apollon, passa par le beau idéal les bornes de la nature, et représenta réellement des dieux qui, selon ses idées, étaient représentables ; mais l’artiste chrétien avait une idée si abstraite et si dégagée des sens, de ces êtres divins ' Lettre sur la sculpture, p. 40. * Ibid., p. 42. qu’il devait représenter, que toute imitation réelle était absurde, et par conséquent il ne lui restait que de les représenter comme ils avaient été autrefois visibles sur la terre. Ce qui empêchait encore plus l’artiste d’arriver seulement à la beauté de la nature, c’était l’esprit d’humilité chrétienne, qui le mena non à la vérité simple, mais à la vérité basse et populaire; et comme il n’avait à tout moment qu a représenter des passions pour faire des martyrs, des pénitents et des mourants, il avait besoin d’une connaissance plus ou moins exacte de l’effet des muscles. Des mendiants affamés lui servirent de modèles, et s’accoutumant à étudier ces corps décharnés pour en faire ses saints et des martyrs, la proportion générale de ces figures devint excessivement longue et le style de son travail sec 1. » Voilà aussi, s’il faut en croire notre auteur, la raison de la ressemblance qu’on remarque entre les bons ouvrages étrusques et ceux des premiers temps de la Renaissance des arts. Mais revenons à la sculpture. L’unité et la simplicité sont les conditions qui sont * imposées à la sculpture. Le repos et la majesté lui conviennent particulièrement. Elle doit se borner à une seule figure ; tout au plus peut-elle s’étendre jusqu’au groupe. Mais ce n’est pas seulement, comme le pense notre auteur, le prix de la matière qu’em ploie l’artiste et la difficulté qu’il trouve à la mettre en œuvre, qui forcent la sculpture à se borner le plus souvent à la représentation d’une seule figure. La nécessité où est l’artiste de mettre toutes ses figures sur le même plan, ce qui rend impossible la perception de la profondeur, et ne permet pas la représentation d’actions un peu compliquées ; en outre l’absence d’un fond sur lequel les figures se détachent et qui les rqlie entre elles : — voilà des raisons plus sérieuses, qui condamnent la sculpture à la représentation de figures isolées, et qui la bornent à défaut d’actions, à la reproduction des sentiments et des passions qui se révèlent dans les attitudes du corps humain. Les conseils qui suivent sont d’un fin connaisseur : « Si donc l’unité ou la simplicité du sujet, et la qualité facile et déliée du contour total, sont des principes fondamentaux en sculpture, il faudra que le sculpteur, lorsqu’il veut parvenir le plus facilement à la plus grande perfection dans son art, ne représente qu’une seule figure. Il faudra qu’elle soit belle, presqu’en repos, dans une attitude naturelle ; quelle se présente avec grâce ; qu’elle soit tournée de façon que je voie partout autant de différentes parties de son corps qu’il est possible en même temps; qu’il enlre un peu de draperie dans cette composition, qui serve à la rendre décente et dont les plis, noblement ordonnés, contribuent à augmenter le nombre de mes 13 idées, et à contraster avec le contour arrondi de la chair... « Si l’artiste veut donner dans le groupe, qu’il choisisse un sujet qui en impose et qui ait de la majesté et de la grandeur; que ses figures, autant qu’il est possible, diffèrent en âge, en sexe et en proportion; que l’action soit une et simple, et que toutes les parties du groupe aident à la renforcer ; que dans tous les profils je voie autant de, membres ou de pièces saillantes dans une attitude naturelle, qu’il est possible. S’il veut exciter de l’horreur ou de la terreur, il faut qu’il la tempère par la beauté de quelque figure piquante qui m’attache et que jamais le dégoûtant ne fasse parti de son sujet... La peinture peut se servir quelquefois du dégoûtant pour augmenter l’horreur, puisque ses compositions sont assez étendues pour le mitiger autre part, mais dans les bornes d’un groupe de sculpture, il s’empare de tout 1 » Parmi les idées d’Hemsterhuis sur la sculpture il en est une qui paraît mériter quelqu’attention parce quelle touche à un des points les plus importants de la théorie des beaux-arts : à la question de la vraisemblance dans l’imitation. Dans le dialogue Simon, Socrate, qui n’est pas un juge incompétent en pareille matière, accorde que l’objet de la sculpture est d’exprimer par les formes, les attitudes du corps, les passions et les sentiments de l’âme ; mais seulement les passions et les sentiments qui se sont produits au dehors et sont devenus visibles. Quant à ceux que l’âme veut cacher, ils échappent à l’artiste, comme ils ont échappé à tous les hommes. Rien n’est plus vrai assurément, et cette opinion si incontestable ne mériterait guère qu’on s’y arrête, si Hemsterhuis n’en tirait pas une conséquence qui touche, comme nous venons de le dire, à la question souvent controversée de la vraisemblance dans les arts. « L’artiste, dit-il, qui veut représenter, par exemple, Oreste au moment où il se trouve en face d’Égisthe et de Glytemnestre, ne doit pas montrer sur la figure d’Oreste la pensée du crime qu’il médite ; car dans le moment choisi par l’artiste, Oreste dissimule avec soin son projet criminel, et il serait absurde que le spectateur aperçût ce que n’ont aperçu ni Égisthe ni Glytemnestre. «Croyez-vous, continue Socrate, développant son opinion, que si Damon, le musicien, voulait imiter le doux concert des Sirènes, il pourrait vous y faire sentir la cruauté vorace de ces monstres ? Alors le prudent Ulysse n’eût pas eu besoin de se faire lier 1. » Hemsterhuis se trompe. Il n’importe en aucune façon pour le dessein que se propose l’artiste, qu’Égisthe ou Clytemnestre aperçoivent sur la figure d’Oreste la pensée du meurtre dont ils seront victimes , ou qu’Ulysse dans le chant des Sirènes découvre les dangers qui le menacent. Ce n’est pas à ces personnages, c’est à nous spectateurs que songent le sculpteur et le musicien. L’art repose sur une illusion sans laquelle il n’existerait point, et la vraisemblance artistique n’a rien à démêler avec la vraisemblance réelle. Quel que soit le moment choisi par l’artiste, il doit y concentrer en quelque sorte le personnage et le drame tout entiers, et dans le présent nous laisser deviner l’avenir. Ainsi du moins, l’ont entendu les maîtres de l’art, et à Damon le musicien, à qui Hemsterhuis sous peine d’absurdité, défend de laisser deviner la cruauté des Sirènes dans la douceur perfide de leurs chants, nous opposerons le plus grand musicien de tous les temps, Mozart, qui, dans son immortel chef-d’œuvre, faisant chanter Don Juan sous le balcon d’Elvire, nous avertit par l’accompagnement railleur et malin de l’orchestre, entendu cependant par Elvire en même temps que la sérénade, que ce chant d’amour n’est que mensonge. Vous souvient-il lecteur de cette sérénade, Que Don Juan déguisé chante sous un balcon? Une mélancolique et piteuse chanson, Respirant la douleur, l’amour et la tristesse. Mais l’accompagnement parle d’un autre ton.
github_open_source_100_1_119
Github OpenSource
Various open source
;;; ;;; Testing built-in sort functions ;;; (use gauche.test) (test-start "sort procedures") (test-section "loading and binding") (test* "autoload" #t (procedure? sort)) ; this triggers sortutil (test-module 'gauche.sortutil) (use gauche.generic-sortutil) (test-module 'gauche.generic-sortutil) (test-section "sort") (define-method integer>? ((x <integer>) (y <integer>)) (> x y)) (define-method boolean<? ((x <boolean>) (y <boolean>)) (< (compare x y) 0)) (test* "sorted?" #t (sorted? '(1 2 3 4 4 5))) (test* "sorted?" #f (sorted? '(1 2 3 4 3 5))) (test* "sorted? (less)" #t (sorted? '(5 4 3 3 2 1) >)) (test* "sorted? (less)" #f (sorted? '(5 4 3 1 2 1) >)) (test* "sorted? (less)" #t (sorted? '(5 4 3 3 2 1) integer>?)) (test* "sorted? (less)" #f (sorted? '(5 4 3 1 2 1) integer>?)) (test* "sorted? (cmpr)" #t (sorted? '(1 2 3 4 4 5) integer-comparator)) (test* "sorted? (cmpr)" #f (sorted? '(1 2 3 5 4 2) integer-comparator)) (test* "sorted? (key)" #t (sorted? '(1 3 1 2 4 2) boolean<? even?)) (test* "sorted? (key)" #f (sorted? '(1 3 1 2 1 3) boolean<? even?)) (test* "sorted? (key)" #t (sorted? '(1 3 1 2 4 2) boolean-comparator even?)) (test* "sorted? (key)" #f (sorted? '(1 3 1 2 1 3) boolean-comparator even?)) (test* "sort (base)" '() (sort '())) (test* "sort (base)" '#() (sort '#())) (test* "sort (base)" '"" (sort '"")) (define (sort-test name fn fn! xargs in exp) (define (test1 kind fn destructive? gensrc copy genexp) (test* (format "~a (~a) ~a" name kind (if destructive? "!" "")) exp (let* ((src (gensrc in)) (src2 (copy src)) (res (apply fn src2 xargs))) (and (or destructive? (equal? src src2)) (genexp res))))) (define (test2 fn destructive?) (test1 "list" fn destructive? values list-copy values) (test1 "vector" fn destructive? list->vector vector-copy vector->list) (when (every char? in) (test1 "string" fn destructive? list->string string-copy string->list))) (test2 fn #f) (test2 fn! #t) ) (define (sort-test2 name fn fn! stname stfn stfn! xargs in exp) (sort-test name fn fn! xargs in exp) (sort-test stname stfn stfn! xargs in exp)) (define (sort-nocmp . in&exps) (for-each (lambda (in&exp) (sort-test2 "sort - nocmp" sort sort! "stable-sort - nocmp" stable-sort stable-sort! '() (car in&exp) (cadr in&exp))) in&exps)) (sort-nocmp '((3 4 8 2 0 1 5 9 7 6) (0 1 2 3 4 5 6 7 8 9)) '((0 1 2 3 4 5 6 7 8 9) (0 1 2 3 4 5 6 7 8 9)) '((1/2 -3/4 0.1) (-3/4 0.1 1/2)) '((0) (0)) '((#\a #\l #\o #\h #\a) (#\a #\a #\h #\l #\o)) '(("tic" "tac" "toe") ("tac" "tic" "toe"))) (define (sort-cmp cmpfn . in&exps) (for-each (lambda (in&exp) (sort-test2 "sort - cmp" sort sort! "stable-sort - cmp" stable-sort stable-sort! (list cmpfn) (car in&exp) (cadr in&exp))) in&exps)) (sort-cmp (lambda (a b) (> (abs a) (abs b))) '((3 -4 8 -2 0 -1 5 -9 7 -6) (-9 8 7 -6 5 -4 3 -2 -1 0)) '((-9 -8 -7 -6 -5 -4 -3 -2 -1 0) (-9 -8 -7 -6 -5 -4 -3 -2 -1 0)) '((0 1 2 3 4 5 6 7 8 9) (9 8 7 6 5 4 3 2 1 0)) '(() ()) '((0) (0)) '((1/2 -3/4 0.1) (-3/4 1/2 0.1))) (sort-cmp string-ci<? '(("Tic" "taC" "tOe") ("taC" "Tic" "tOe"))) (sort-cmp char-ci<? '((#\M #\a #\i #\P #\o #\n) (#\a #\i #\M #\n #\o #\P))) (sort-cmp char-ci-comparator '((#\M #\a #\i #\P #\o #\n) (#\a #\i #\M #\n #\o #\P))) (sort-cmp integer>? '((0 1 2 3 4 5 6 7 8 9) (9 8 7 6 5 4 3 2 1 0))) (sort-cmp boolean<? '((#t #f #t #f #f) (#f #f #f #t #t))) ;; stability (sort-test "stable-sort stability" stable-sort stable-sort! (list string-ci<?) '("bbb" "CCC" "AAA" "aaa" "BBB" "ccc") '("AAA" "aaa" "bbb" "BBB" "CCC" "ccc")) (sort-test "stable-sort stability" stable-sort stable-sort! (list string-ci>?) '("bbb" "CCC" "AAA" "aaa" "BBB" "ccc") '("CCC" "ccc" "bbb" "BBB" "AAA" "aaa")) (test-section "sort-by") (define (sort-by-nocmp key . in&exps) (for-each (lambda (in&exp) (sort-test2 "sort-by - nocmp" sort-by sort-by! "stable-sort-by - nocmp" stable-sort-by stable-sort-by! (list key) (car in&exp) (cadr in&exp))) in&exps)) (sort-by-nocmp car '(((3 . 1) (2 . 8) (5 . 9) (4 . 7) (6 . 0)) ((2 . 8) (3 . 1) (4 . 7) (5 . 9) (6 . 0)))) (sort-by-nocmp cdr '(((3 . 1) (2 . 8) (5 . 9) (4 . 7) (6 . 0)) ((6 . 0) (3 . 1) (4 . 7) (2 . 8) (5 . 9)))) (define (sort-by-cmp key cmp . in&exps) (for-each (lambda (in&exp) (sort-test2 "sort-by - cmp" sort-by sort-by! "stable-sort-by - cmp" stable-sort-by stable-sort-by! (list key cmp) (car in&exp) (cadr in&exp))) in&exps)) (sort-by-cmp cdr char-ci<? '(((#\a . #\q) (#\T . #\B) (#\s . #\S) (#\k . #\d)) ((#\T . #\B) (#\k . #\d) (#\a . #\q) (#\s . #\S)))) (sort-by-cmp char->integer > '((#\a #\Z #\3 #\q #\P) (#\q #\a #\Z #\P #\3))) (sort-by-cmp even? boolean<? '((1 3 1 2 4 2) (1 3 1 2 4 2))) (test-end)
github_open_source_100_1_120
Github OpenSource
Various open source
using System; using System.Collections.Generic; namespace Panosen.CodeDom.CSharpProject { /// <summary> /// Project /// </summary> public class Project { /// <summary> /// Microsoft.NET.Sdk.Web 或 Microsoft.NET.Sdk /// </summary> public string Sdk { get; set; } /// <summary> /// ProjectName /// </summary> public string ProjectName { get; set; } /// <summary> /// /// </summary> public string ProjectPath { get; set; } /// <summary> /// ProjectGuid /// </summary> public string ProjectGuid { get; set; } /// <summary> /// ProjectTypeGuid /// </summary> public string ProjectTypeGuid { get; set; } /// <summary> /// 目标框架 /// </summary> public List<string> TargetFrameworkList { get; set; } /// <summary> /// 包引用 /// </summary> public Dictionary<string, string> PackageReferenceMap { get; set; } /// <summary> /// 框架引用 /// </summary> public Dictionary<string, string> FrameworkReferenceMap { get; set; } /// <summary> /// 项目引用 /// </summary> public List<string> ProjectReferenceList { get; set; } /// <summary> /// 是否包含DocumentationFile /// </summary> public bool WithDocumentationFile { get; set; } /// <summary> /// 版本号 /// </summary> public string Version { get; set; } /// <summary> /// 作者 /// </summary> public string Authors { get; set; } /// <summary> /// 公司 /// </summary> public string Company { get; set; } /// <summary> /// 程序集名称 /// </summary> public string AssemblyName { get; set; } /// <summary> /// 根命名空间 /// </summary> public string RootNamespace { get; set; } /// <summary> /// ClientApp\dist\** 或 ClientApp\** /// </summary> public string DistFilesPath { get; set; } /// <summary> /// GeneratePackageOnBuild /// </summary> public bool? GeneratePackageOnBuild { get; set; } } }
github_open_source_100_1_121
Github OpenSource
Various open source
%% g(x) = x sin(x) close all g = @(x) x .* sin(x); gn = @(x) -1*g(x); xmin = fminbnd(gn, 0, 4*pi); x = linspace(0, 4*pi); plot(x, g(x)); hold on; plot(xmin, g(xmin), '.r', 'markersize', 15); %% Area example close all A = @(x) x .* (480-x)/2; x = linspace(0, 480); plot(x, A(x)); An = @(x) -1 * A(x); xmax = fminbnd(An, 0, 480); hold on; plot(xmax, A(xmax), '.r', 'markersize', 15);
8340844_1
Wikipedia
CC-By-SA
Assane Ndiaye es un deportista marfileño que compitió en taekwondo. Ganó una medalla de bronce en los Juegos Panafricanos de 1991 en la categoría de. Palmarés internacional Referencias Practicantes de taekwondo de Costa de Marfil.
github_open_source_100_1_122
Github OpenSource
Various open source
AWS_ACCOUNT_ID := 111111 AWS_REGION := eu-west-1 ECR_REPO := lambda-example AWS_PROFILE := staging build: docker build -t my-lambda:latest . run: build docker run -p 9000:8080 my-lambda:latest invoke: curl -XPOST "http://localhost:9000/2015-03-31/functions/function/invocations" -d '{}' publish-to-ecr: ecr-login docker tag my-lambda:latest ${AWS_ACCOUNT_ID}.dkr.ecr.${AWS_REGION}.amazonaws.com/${ECR_REPO}:latest # docker push ${AWS_ACCOUNT_ID}.dkr.ecr.${AWS_REGION}.amazonaws.com/${ECR_REPO}:latest ecr-login: $$(awsudo -u ${AWS_PROFILE} aws ecr get-login --no-include-email)
github_open_source_100_1_123
Github OpenSource
Various open source
<template> <div class="level" v-bind:class="{ 'level-current': isCurrent }"> <span class="level-name">{{ index + 1 }}. {{ level.name }}</span> <span v-if="bestTime" class="best-time" v-bind:title="'Best time: ' + bestTimeHoverString">{{ bestTimeString }}</span> <span v-else class="best-time" title="No best time yet">&mdash;</span> </div> </template> <script> export default { name: 'LevelsListElement', props: { index: Number, level: Object, bestTime: Number, // time in seconds, or null isCurrent: Boolean }, computed: { bestTimeMinutes: function() { return Math.floor(this.bestTime / 60); }, bestTimeSeconds: function() { return this.bestTime % 60; }, bestTimeHoverString: function() { const minutesString = '' + this.bestTimeMinutes; const secondsString = '' + this.bestTimeSeconds; const minutePlural = this.bestTimeMinutes == 1 ? '' : 's'; const secondPlural = this.bestTimeSeconds == 1 ? '' : 's'; return minutesString + ' minute' + minutePlural + ', ' + secondsString + ' second' + secondPlural; }, bestTimeString: function() { const minutesString = ('' + this.bestTimeMinutes).padStart(2, '0'); const secondsString = ('' + this.bestTimeSeconds).padStart(2, '0'); return minutesString + ':' + secondsString; } } }; </script> <style scoped> .level { padding: 10px; border-top: 1px solid #999; cursor: pointer; } .level:last-child { border-bottom: 1px solid #999; } .level:hover { background-color: #eee; } .level-current { font-weight: bold; } .best-time { float: right; } </style>
github_open_source_100_1_124
Github OpenSource
Various open source
using UnityEngine; using UnityEngine.AI; namespace Algine { public class FootstepSound : MonoBehaviour { private NavMeshAgent agent; [SerializeField] private AudioSource audioSource; [SerializeField] private AudioClip[] Steps; private int arrayLength=0; private int index = 0; private void Start() { agent = GetComponent<NavMeshAgent>(); arrayLength = Steps.Length; } public void PlayFootstep() { audioSource.volume = agent.desiredVelocity.magnitude; audioSource.pitch = Random.Range(0.6f, 1f); audioSource.PlayOneShot(Steps[index]); index++; if (index >= arrayLength) { index = 0; } } } }
27220440R.nlm.nih.gov_14
English-PD
Public Domain
Center George Fleming, Olney. B. S., Marshall coll., 1862; M. D., Louisville med. coll., 1872; perm, member Am. med. asso. Cerrell A., (e) Mount Auburn. Cewen Robert S., Girard. Chaffie H., Tolona. Chaffie H., Tolona. Chaffie W., Tolona. Chambers Jacab George, Sadorus. M. IX, Geneva med. coll., (no date); member med. soc. of Champaign co.; ass’t surg. U. S. vols. 1 year. Chambers Jno., Lena. Chambers William Mortimer, Charleston. Member ASSSulapian med. soc. of Wabash valley, med. soc. of Til., and Am. med. asso. Chambers Chaney, T., Bainbridge. Chaney Charles, Chandlerville. Member med. soc. of Ill. Chaney L. S., Harrisburg. Chaney L. S., Harrisburg. Chapman A. Judson, Quincy. M. D., Bellevue hosp. med. coll., 1871. Chapman H. S., DeWitt. Chaney L. M., (e) Palestine. Chapman D. F., (e) Majority Point. Chapman G. L., Polo. Chapman H. C., (e) Polo. Chapman H. C., (e) Randallsville. Chapman IN. W., Tuscola. Chapman William, Potoka. Charles G. E., Princeville. Member med. soc. of Peoria co. Charlesworth D. M., Merrimack Point: Charlton John, Freeport. Hon. M. D., Chicago med. coll., 1866. Charlton Richard, Pekin. Chase A. P., (h) Amboy. Chase A. P., (h) Amboy. Chase A. J., Galesburg. Chase Warren, Newport. Chase W. J., Galesburg. Chase W. J., Galesburg. Cheever W. J., (h) Galesburg. Cheever S. L., Harrisburg. Cheek Alexander Martin, (h) Metropolis. M. D., Hahnemann med. coll., Chicago, 1872. Cheever B. H., Joliet. Member med. soc. of Ill. Cheever D. A., (h) Champaign. Cheever N., Lovington. Chenoweth Cassidy, Decatur. M. D., Rush med. coll., 1869; member med. soc. of Macon co. Chenoweth William J., Decatur. Grad, of Augusta coll., 1841; M. D., med. dep’t Univ. of Louisville, 1853; member med. soc. of Macon co., and Am. med. asso., 1872; surg. U. S. vols. 1 year; specialty, surgery. Chew John II., Naperville. Che wiling J., New Athens. Childs Charles J., (e) Sparta. Chiles W. T., Metropolis. Chillers C., (e) Eldorado. Christ H. C., Bloomington. Christy W. II., Tiskilwa. Christian W. II., Camargo. Christoffe Chas. II., French Village. Christy C. B., Earlville. Christy C. B., Earlville. Chittenden, Plainfield. Churchill J. F., (e) Sciota. Churchill S. R., Maples Mills. Cinkling Thadmis, (m) Farmington. Clapp E. II., (h) Rome. Clark Anson L., (e) Elgin. A. B., Lombard Univ., 1857; A. M., 1867; M. IX, ecclec. med. inst., 1861; member and cor. sec. ecclec. med. soc. of Ill.; pres, board trustees of Bennett eclec. coll.; prof, obstet. and diseases of women and child., Bennett coll.; ass’t surg. U. S. vols. 3 years. Clark Cavill, Greenup. Clark C. D., (h i De Kalb. Clark C. M., Galva. Member Military Tract med. soc. Clark Dexter Selwyn, Rockford. A. B., Beloit coll., 1860; M. D., coll. phys. and surg., 1865; member med. asso. of Rockford; ass’t surg. and surg. U. S. vols. 11 years. Clark Elemyer, (e) Russellville. Clark E., Grayville. Member med. soc. of Wabash co. Clark Horace H., Albion. Clark Horace Norton, Niantic. M. D., Rush med. coll., 1865; member med. soc. of Macon co., and med. soc. of Ill.;—author of “Report on Obstetrics,” 1868. Clark Hurlburt H., Albion. M. D., med. coll, of Ohio, 1871; member med. soc. of S. E. 111.; exam. surg. U. S. pension office; coroner of co. Clark John, (e) Mt. Pulaski. Clark J. H., (e) Taylorville. Clark Lucius, Rockford. M. D., Geneva med. coll., 1835; member med. ass. of Rockford, med. soc. of Ill., and Am. med. ass., 1872. Clark L. E., Newcomb. Clark L. H., (e) Taylorville. Clark L. W., (e) Russellville. Clark M. M., (e) Vermont. Clark N. D., Bardolph. Clark L. W., Russellville. Clark Samuel, (e) Lawrence. M. D., elec. med. coll., 1869; member eclec. med. soc. of Ill., and national eclec. med. ass. Clark Sumner, Ramsey. M. D., St. Louis med. coll., 1871. Clark T. D., Fransonia. Clark Wesley, Dix. M. D., Rush med. coll., 1867. Clark William, (m) Biggsville. Clark Almazon, Galesburg. Clarke, Monticello. Clary II. F., Bridgeport. Clarence J. A., Noble. Clayberg Sylvester S., Avon. M. D., Jefferson med. coll., 1872; member med. soc. of Fulton co. CLE ILLINOIS. COR Cleachy M. C., (e) Elliottstown. Clearwater, T. C., (e) Litchfield. Cleaveland E. F., Dundee. Clendenen Moses W., Rockwood. M. D., Jefferson med. coll., 1866; ass’t surg. army of Cumberland 3 years. Cline W. A., Cuba. Clinton A. R., Jamestown. Clinton Keever, Seneca. M. D., elec. med. coll, of Cincinnati, 1858. Cobb, Jacob, (e) Wring. Cochran, C. J., (e) Annapolis. Cochran, William G., Farmer City. Y.-pres. and censor med. soc. of De Witt co.; rec. sec. central Ill. med. soc.; member med. soc. of Ill., and Am. med. asso. Coe II. F., Brooklyn. Coffin Nelson G., Monticello. Grad. Univ. of Ind.; M.D., med. coll, of O., 1847; member and sec. med. soc. of Piatt co., and med. soc. of Ill.; assistant surgeon U.S. vols. 3 years. Cohen L. H., Quincy. M.D., New Orleans school of med., 1862; member med. soc. of Quincy, med. soc. of Adams co., and Am. med. asso., 1872; late assistant professor, chemistry New Orleans school of med.; visiting phvs. to charity hosp.; fellow med. asso. of New Orleans; assistant surgeon confed. army;— author of “Palatable Medicines,” 1867; “Remarks on Oxaluria,” 1869; “Ozone in the Economy of Nature,” 1871, etc.; specialty, dis. of throat. Coker John T., Enfield. Colburn E. M., (h) Peoria. Cole A. D., La Salle. Cole D., Lamville. Cole Frederick, El Paso. M.D., Rush med. coll., 1865, and Bellevue hosp. med. coll., 1870; sec. med. asso. of Woodford co.; member med. soc. of Ill.; assistant surgeon U.S. vols. 1 year. Cole G. W., Bath. Cole J. B., La Salle. Cole N. B., Bloomington. Member med. soc. of McLean co., med. soc. of Central Ill., and med. soc. of Ill. Cole W. Member med. soc. of Morgan co., and Am. med. ass. Coleman J. W., Monticello. M. D., Miami med. coll., 1856. Coles Alvin, Ottawa. Licensed by Mass. State med. soc., 1829; member med. soc. of Ottawa co. Collett F. A., Livingston. Collier H., Oakland. Collins E. B., Momence. Collins James, (m) Clintonville. Collins W. A., Venice. Collins William, Gridley. Colt John I. D., Litchfield. Colt John I. W., (m) Mt. Erie. Combear W. C., Morton. Combs John E., Bloomington. Combs John E., Bloomington. Combs George, Ridgway. Comstock Jesse, Artinsville. Member med. soc. of Marshall co. Comstock Norman, Westfield. Condee Ammi, St. Anne. M. D., Starling med. coll., 1863; ass’t surg. U. S. vols. 3 years. Condell William R., Springfield. Condon S. S., Anna. Coney V. B., Monument. Conner A. G. IT., Mason City. Conner A. G. IT., Mason City. Converse A. L., Springfield. Converse M., Lewistown. Cook C., Carmi. Cook Edgar P., Mendota. M. D., Cleveland med. coll., 1854; member med. soc. of Ill., and Am. med. asso., 1872. Cook John A., Aurora. Member Fox River Valley association. Cook P. B., Nakomis. Cook Robert Hugh, Graysville. M. D., Starling med. coll., 1858, and Bellevue med. coll., 1864; act. ass’t surg. U. S. 1 year. Cook W. H., Hillsboro’. M. D., St. Louis med. coll., 1867; member med. soc. of Montgomery co. Cooke J. W., Johnston. Coombs J. E., Bloomington. Coombs J. M., Newville. Cooper E. II., Henderson. Member Military Tract med. soc. of Am. med. soc. Cooper James S., Greenfield. Cooper Samuel, Oakley. Cope J. D., (m) Fairfield. Copeland James A., Oconee. Copeland James A., Oconee. Copeland Philander, Winnebago. Copestake J. C., Wyoming. Copp William, Waterloo. Corbus J. C., Mendota. Member medico-pathological soc. and med. soc. of Ill. Corbus J. R., Amboy. Member med. soc. of Ill. Corcoran G. L., Brimfield. Member med. soc. of Peoria co., and med. soc. of Ill.; Am. med. asso., 1873. Corcoran J., La Salle. Corey V. B., Nebo. Corkings O. G., Liberty. Corlew W. W., Sparks Hill. Cornell D. R., (h) Centralia. Cornell Thomas J., Braidwood. Retired from practice at 70 years of age. Corneilus Patrick, (m) Marseilles. Corrothers, G. W., Olney. Correll L. S., Salisbury. Corr Albert C., Chesterfield. M. D., Chicago med. coll., 1868. Couch Harriman, Peoria. M. D., eclectic med. coll., 1863. Coudell W. R., Springfield. Coulter Arthur P., Marissa. Coursey A. E., (m) Du Quion. Courtney, Grand Chain. Cousin Augustus, Crescent City. Coutant G. F., La Salle. M. D., Hahnemann med. coll., 1872; member homoeopathic. med. soc. of Ill., Ill. valley homee. soc. Cove S. R., (e) Saline Mines. Covey J. D., Foreston. Covington J. R., Ash Ridge. Covins W., Ellison. Covins W., Ellison. Cowan J. M., Hennepin. Cowan Robert S., Girard. M. D., St. Louis med. coll., 1865; member Am. med. asso., 1872; ass’t surg. confed. army 3 years. Cowdin John P., Illiopolis. Cowell C. G., (h) Lockport. Cowell Geo. E., (h) Minooka. Cowles W. P., (e) Petersburg. Cozard James, Andalusia. M. D., Rush med. coll., 1866; member Iowa and Ill. central dist. med. asso., and med soc. of Ill. Crabtree L. A., Dundee. Member Fox River Valley med. asso. Craft C. D., (m) Tuscola. Craig George G., Rock Island. M. D., Jefferson med. coll., 1871; sec. Iowa and Ill. central med. soc., 1873; city phys. Rock Island; exam. surg. U. S. pension office. Craig John W., Quincy. Grad. N. Y. ophthalmic hosp. coll., 1865; attended lectures Bellevue hosp. med. coll., 1864-5; specialty, eye and ear. Craig J. W., Jacksonville. Member med. soc. of Morgan co. Craig J. W., Arcadia. Member med. soc. of Ill. Craig W. D., Aledo. M. O., Rush med. coll., 1852; member Military Tract med. soc.; exam. surg. pension office; ass’t surg. U. S. vols. 3 years. Craig W. II., Canton. Crain J. B., Tamara. Crain J. B., Villa Ridge. Crane J. B., (e) Springfield. Crane M. II., Washington. Crane William H., Washington. Cravens J. K., (e) Louisville. Cravens S., Rochester. Member med. soc. of Peoria co. Cravens Sylvester, Elmore. Crawford C. C., (m) Dundee. Crawford II. M., St. Charles. Crawford Jas. B., Gillespie. Crawford N. B., Eureka. M. D., Bellevue hosp. med. coll., 1864; member med. soc. of Woodford co. Crawford S. K., Monmouth. Member Military Tract med. soc., and med. soc. of Ill.; Am. med. asso., 1873. Crawford W. S., Galena. Creelius G. W., (e) Makanda. Creel D. M., Industry. Creemeans W. F., Macedonia. Creemans W. F., Macedonia. Creighton D., Dunleith. Creighton John, (h) Dunleith. Creighton John, (h) Dunleith. Creighton John, Venice. Crispall E. M., (e) Manito. Crispall E. P., Pekin. Crissy William S., (e) Decatur. Crist David L., Bloomington. Member med. soc. of McLean co., med. soc. of Ill., and Am. med. asso. Crist Daniel Overly, Bloomington. M. D., Starling med. coll., 1853; member med. soc. of McLean co., and med. soc. of Ill.; specialty, eye and ear diseases. Crist Howard C., Bloomington. Member med. soc. of McLean co. Cromwell M., Kinderhook. Groom J., (h) Minooka. Crosker William, Sandy Hook. Crossley G. W., Princeton. Member Military Tract med. soc., and med. soc. of Ill. Crothers E. R., Bloomington. Member med. soc. of McLean co. Crothers R. W., Delevan. Crouch P., West Ilallock. Crouse D. F., (h) Plum River. Crow James T., Carrollton. Member med. soc. of Greene co. Crow W. H. II., Quincy. Member med. soc. of Quincy. Crozier A. D., Iroquois. Crume Joel, Fulton Point. Crummer Benjamin Franklin, Elizabeth. M.D., med. dep’t univ. of Mich., 1869. Culbertson, S.D., Piper City. M.D., Jefferson med. coll., 1866. Cullelian Aug., (h) Petersburgh. Culp J.M., (e) South Pass. Culver Jacob, Mahomet. Culver S. IT., Whitehall. Cummins Theo., New Rutland. Cunningham James, Bloomfield. Cunningham James, Sparta. Cunningham James, Mt. Vernon. Cunningham R.F., Lebanon. Cunningham R.F., Lebanon. Curtis J.L., Otter Creek. Member med. soc. of Wabash Valley. Curry Isaac, Shelbyville. Curtis C.R., Quincy. Curtis E., Otter Creek. Member med. soc. of Jersey co. Curtis John, fh) Harlem. Curtis J.P., (e) Fairview. Curtis John Thomas, Otter Creek. M.D., Chicago med. coll., 1867; member med. soc. of Jersey co.; hosp. steward 2 years; 1st ass’t surg. U.S. vols. 2 years. Curtiss Romaine J., Joliet. M.D., O. med. coll., (no date); member med. soc. of Erie co.; was corresp. member gynaecological soc. Boston; med. cadet 1 year; act. ass’t surg. U. S. N. 16 months. Cushing M. A., Aurora. Member Fox River Valley med. asso. Cushman W. B., Thompson. Cuthbert William L., Monmouth. M. D., Rush med. coll., (no date); member med. soc. of Warren co., Military Tract med. asso., Am. med. asso., 1873; ass’t surg. U. S. vols. 25 years. Cutler Geo. F., (e) Ridgefarm. Cutts E. G., Quincy. Daggett John F., Lockport. Member med. soc. of Will co. Dalby Thomas, (m) Olney. Daley William, (m) Odell. Dameron J. M. C., Vienna. Dane-, Centralia. Danforth L., Charleston. Danforth W. A., Ancona. Daniel J. F., Pine Oak. Daniels J. B., (e) Buckley. Darrah Alexander Taylor, Tolono. M. D., Rush med. coll., 1865; member med. soc. of Champaign co. Dart L. E., (h) Rock Island. Davenport M. S., (e) Walerville. David C. A., Northville. Davidson H. C., Naperville. Davidson H. C., Naperville. Davidson T. A., Moline. Davidson T. A., Moline. Davis T. A., Moline. Davis G. C., New Hebron. Davis Charles, (h) Henry. Davis Charles, Godfrey. Davis C. C., New Hebron. Davis George, (h) Lacon. Davis G., Ellisville. Davis G. H., Lima. Davis J., Charleston. Davis James M., Carrollton. Member med. soc. of Greene co. Davis John W., Careyville. Davis James M., Carrollton. Davis James M., Carrollton. Davis Thomas W., Wapella. Davis Wm. Hope, (e) Springfield. M. D., eclectic med. inst. of Cincinnati, 1865; member eclec. med. soc. of Ill. ; rec. sec. of state soc. 4 years. Davison J. B., Moline. M. D., Jefferson med. coll., (no date); member Ilock Island and Iowa central med. soc. Ill. Central dist. med. asso., and Am. med. asso., 1872. Davison Thomas Allen, Mound Station. One course med. dep’t univ. of Iowa. Dawn Thomas IT., Black Centre. Dawney G. W. Ricliview. Day C. L., (h) Wenona. Day Ebenezer, Grand Tower. Day William Charles, Palmyra. M. D., Mo. med. coll., 1861; ad. eun. degree St. Louis med. coll., 1871; member med. soc. of Macoupin co.; per. mem. Am. med. asso.; ass’t surg. Mo. vols. 3 years. Day William F., Manchester. Day William H., Kewanee. Member Military Tract med. soc. Dayton E., Jacksonville. Dayton S. N., Rockford. Deal William II., Moroa. Dearborn H. G., Augusta. Dearborn Jonathan, Elkhart. Deffenbacher P. S., Havana. De Foe Augustus, McLeansboro. M. D., Evansville med. coll., 1852, and med. dep’t univ. of Louisville, 1869; member med. soc. of Hamilton co., and med. soc. of S. E. Ill. ; first pres, of both soc’s. De Foe P. Y. R., Elmwood. Treas. med. soc. of Peoria co. De Gordon J. B., Metropolis. De Grand A., Alton. De Grand A., Alton. De Chantal F. A., Eleroy. Deinming H. H., Pana. Member JEsculapian med. soc. of Wabash valley, and Am. med. asso. De Morris H. C., Herman. Demott John J., Marseilles. Dempsey Arthur, Ayres Point. Demsey John N., Warrensburg. Denney Geo., (m) Bourbonnaise. Dengal J., (h) Sterling. Denman, T. B., (e) Charleston. Denning John P., Renault. Dennison Charles N., Newburg. De Normandie A., Braidwood. Denstroff H., Metropolis. De Puy E. C., Freeport. Hon. M. D., Chicago med. coll. Derr N. IT;, Aledo. De Santo II. IT., (m) Andalusia. Detrick J. IL, Jacksonville. Detrick F. A., Freeport. Deuboch A. W., Staunton. Devitt W. E., Rosamond. Devoe C. P., (e) Yandalia. Dewatney Joseph, Blue Mound. Dewatney Joseph, Blue Mound. Dewatney Ralph R., Coal Valley. M. LX, Rush med. coll., 1871; member Ill. and la. Central med. soc. De Wolf A. B., St. Charles. Dexter C. I., (e) Springfield. Dickerson Jacob T., Brighton. Dickey S., Pana. Dieffenbacker Philip S., Havana. M. LX, Jefferson med. coll., 1855; exam. surg. U. S. pension office; surg. U. S. vols. 3 years. Dietzel William, Red Bud. Dillon William, Payson. Dixon II. L., Albion. Doane C. C., Perry. Dobbs I. L., (m) Rockwood. Dodds Ford S., Anna. Dodds J. M., Virginia. Dodge Darius, (h) Rockford. Dodge II. O., Lyons. M. D., Chicago med. coll., 1868. Dodge J. II., Pana. Dodge W. F., (hi Earlville. Dodson Eli, (e) Butler. Dodson Eli, (e) Shelbyville. Dodson Ichabod, (e) Shelbyville. Dodson J. II., Dongola. Doepp W., Bloom. Dolittle L. S., Lewistown. Dolittle L. S., Lewistown. Dolquish C. M., (mi Altona. Donaldson H. C., Morrison. M. IX, Rush me l. coll.; member med. soc. of Ill.: U. S. med. exam, for pensions. Donnelly T. W., Doddsville. Dora F. B., (el Mattoon. Dora James W., Mattoon. M. D., Ohio med. coll., and Rush med. coll., (no date); member med. soc. of Cook co., and Am. med. asso., 1872. Dorian C. D., (hi) Dorman M. L., Taylorville. Dorplev L. II., Metropolis. Doss Charles Henry, (e) Manchester. M. D., eclec. med. inst. (no date); member eclec. Med. soc. of Ill., and national ecl. med. soc. Doty Daniel, Waynesville. Doty J. T., (m Hampshire. Dougall William, Joliet. M. IX, Chicago med. coll., 1868. Douglass A. C., (e) Sandovall. Douglass James Robinson, Monterey. M. D., med. dep’t univ. of Mo., 1856. Douglass, Richwood. Dowell W. II., Windsor. Dow Samuel Alvus, Peoria. A. B., Lombard univ., 1862; A. M., 1866; M. IX, med. dep’t univ. of Pa., 1867; member military med. asso., and med. soc. of Peoria co.; ass’t surg. Ill. vols. 3 years; act. ass’t surg. U. S. A. 1 year. Dowey M., Quincy. Dowler J. R., Beardstown. Dowler M. M., (hi Rushville. Downey William, Wenona Station. Downey Walter, (m) Princeton. Doyle Anthony, (e) St. Joseph. Doyle C. PL., (e) Manchester. Doyle C. W., Sullivan. Doyle Geo. W., Barry. Doyle N., Kinderhook. Drake P., Danville. Drake John S., Rockford. Drake T., Chillicothe. Hreane Jefferson, Centralia. Drenn E., Cerro-Gordo. Dresser T. W., Springfield. Driver H. W., Havana. Drolin John L., Hopkinsville. Drude Francis, Quincy. Duane W. J., Benton. Dubler W. H., Windsor. Member med. soc. of Shelby co. Dubois A. M., Makanda. Duckett H. D., Forest. M. D., Chicago med. coll., 1865. Du Hadway Caleb, Jerseyville. Pres. med. soc. of Jersey City. Dumreicher C. C. Duncan A. B., Industry. Duncan James Melvin, Marcelline. M. D., coll, of phys. and surg. of Keokuk, 1870; ad eund. degree Mo. med. coll., 1872. Duncan Jason, Knoxville. Duncan John, Mode. Duncan J. R., Millersburg. Duncan J. R., Millersburg. Duncan J. C., Dudleyville. Duncan William B., Cambridge. Duncan William B., Cambridge. Dunlap G. W., Maquon. Dunn B. I., Macomb. Dunn Harvey, Perry. M. D., St. Louis med. coll., 1867;—author of paper, “Beneficial Effects of Belladonna in Mammary Inflammation,” “Med. and Surg. Reporter.” Dunn Jeff., (h) Greenfield. Dunn L. D., Tirkilwa. M. D., Rush med. coll., 1857; member Military Tract med. soc. Dunn McC., (h) Bloomington. Dunn William A., (h) Bloomington. Dunning Charles W., Cairo. Dunning Charles W., Cairo. Dunning Charles W., Cairo. Dunning Charles W., (m) Benton. Dyer A. M., Elk Hart. Dyer, Franklin Grove. Dyer L., Du Quoin. Dyer L. B., (h) Omega. Dyer R. F., Ottawa. Eagleson Thomas, Parkersburg. M. D., med. coll, of Ohio, 1866; member dist. med. soc. of southeastern Ill.; ass’t surg. 9th corps 1 year. Earl John B., De Kalb. 146 EAR ILLINOIS. FAI Earl Silas, Clifton. Member and censor med. soc. of Iroquois co. Earle F. M., Cairo. Easley Robert B., Clyde. Easley W. J., Plainview. Eastman D. L., Sheldon. Easton Cyrus Myron, Pilot Center. M. D., Rush med. coll., 1872. Easton James, Lima. Eaton Morton M., Peoria. M. D., Rush med. coll., 1861; member homoeopathic. med. asso.; was resident physician of Chicago;—author of various medical papers. Eaton R. J., Harris Grove. Eaton William, Hutsonville. Eberle Jacob R., Rockford. Eckles Thomas, Sterling. Eddy G. W., Buekliorn. Eddy S. K., St. Elmo. Edgar Charles A., Jacksonville. M. D., Rush med. coll., 1867. Edgar Robert, Coulterville. Edgerton R. C., Altona. Edgerton W. W., Mattoon. Edmiston J. A., Clinton. Member med. soc. of Will co., and med. soc. of Ill. Edmiston T. R., Clinton. Member central Ill. med. soc. Edminton Thomas K., Clinton. Edson Alonzo J., Monroe. Edson G. W., Quincy. Edson W. H., Willow Hill. Edwards Davis, Rectorville. Edwards F. H., Sandoval. M. D., med. dep’t univ. of Mo., 1846. Edwards J. B., Rock Island. Edwards James Lafayette, Pittsfield. M. D., Jefferson med. coll., 1862; 1st ass’t surg. U. S. vols. 3 years. Edwards J. W., Mendoza. Member medico-path. soc. of La Salle co. Edwards T. Y., Bellair. Ehehardt Fred., Beardstown. Elder C. S., Chenoa. Member med. soc. of Woodford co. Elder Daniel, (e) Scottsville. Elder Samuel Sansom, Farm Ridge. M. D., Rush med. coll., 1865. Elder William A., Bloomington. Member med. soc. of McLean co., and med. soc. of Ill. Elgin E., Quincy. Elkins G. W., Vienna. Elkins Stephen, St. Marie. Ellet E. C., Bunker Hill. Elliott C. E., Petersburg. Elliott E. A., Bunker Hill. Elliott F. M., Aurora. Elliott S. A., Young America. Elliott S. A., Aurora. Member Military Tract med. soc. Elliott W. W., Woburn. Attended course of lect. at med. coll, of Evansville, 1853-54; act. ass’t surg. 1 year; 1st ass’t surg 2 years. Ellis D. E., Belvidere. Sec. med. soc. of Boone co. Ellis Henry I. S., Chicago. M. D., elec. med. coll., Cincinnati, 1855. Ellisbury I. A., Mason City. Elrich Herman, (h) Peoria. Emery George H., Paxton. M. D., Berkshire med. coll., 1865; med. exam, for life ins. comp.; member med. soc. of Peoria co. Emmerson E. B., Carmi. Emory J. H., (e) Blandinsville. England F., Flora. England H. S., Athens. England W. L., (e) Grayson. Engle E., St. Elmo. English R. B., Jerseyville. M. D., St. Louis med. coll., 1873. Ensign William O., New Rutland. M. D., Charity hosp. med. coll., 1860, and Department of Wooster, 1873; member of the society of Woodford co.; delegate to and member of the society of Ill., 1873. Ephraim J. H., Plainfield. Epperson Lewis, Newton. Epperson Lewis, Cayuga. M. D., Chicago med. coll., 1867; member med. soc. of Ill. Erdman Gustav, Danville. Erwen J. B., Macomb. Estes Judson J., Waukegan. Etter D. J., Mt. Carroll. Etter Jacob Knox, Hainsville. M. D., med. dep’t univ. of Pa., 1867; formerly member med. soc. of Cumberland co., Pa. Evans B. F., Charleston. Evans C. A., (h) Sycamore. Evans Charles Hildreth, Cairo. M. D., Jefferson med. coll., 1857; pres. med. soc. of Cumberland co., Pa. of Alexander co.; member Am. med. asso., 1873; U. S. pension surg.; contract ass’t surg. 6 mos. Evans Edwin, Streator. Evans J. W., Peoria. Evans J. W., Pleasant Vale. Evans J. W., New Cotton. Evans J. W., New Cotton. Evans P. INI., New Rutland. Everett Alfred, Etna. Everett B. B., Sullivan. Everett John T., Sterling. M. D., Chicago med. coll., 1871. Everett Oliver, Dixon. Pres. med. soc. of Lee co., and med. soc. of Ill. Everett S. T., Sterling. Eversman F. F., Fentopolis. Eversman H., Effingham. Member JEsculapian med. soc. of Wabash Valley. Eversole J. H., (e) Minonk. Eversion D. M., (m) Flora Ewan Charles, Beaverville. Ewing G. V., Chenoa. Member med. soc. of Woodford co. Ewing John, Monmouth. Member Military Tract med. soc., and Am. med. ass., 1873. Ewing R. B., Ipava. Fahrner Valentine, (e) Mokena. Fain W. J., Murphysboro’. FAI ILLINOIS. FOL 147 Fairbanks Charles D., (h) Ottawa. M. D., Hahnemann med. coll., 1867; member Am. inst. of homeo., and Ill. homeo. med. soc Sec. of Ill. Valley home, med. soc.; co-ed. of Dr. Gilchrist’s “Complete Repertory,” etc. Fallen B. F., (e) Shobonier. Faloon M., (e) Bloomington. Farley B. F., (e) Bloomington. Farley B. F., (e) Bloomington. Farley R. I., (e) Jerseyville. Farley R. I., (e) Jerseyville. Farrar L. B., Paxton. Farrel Charles, (e) Cobden. Farrell John, Rock Island. Farrell J. H., Atkinson. Farrell T. W., Woodhull. Farrel T. W., Vermillion. Farrar W. W., Andalusia. Farwell E. J., (e) Elgin. Fash Geo., (e) Farmington. Fay John, (e) Lacon. Fee John, (e) Beardstown. M. D., med. dep’t univ. of N. Y., 1865. Fekete Alexander, East St. Louis. M. D., St. Louis med. coll., 1854; attended lectures in Vienna, Austria; was pres., board of health. E. St. Louis; surg. U. S. vols. 3 years. Felder D. C., Highland. Felker John Boggs, Amboy. M. R., Rush med. coll., 1860; member med. soc. of Lee co., med. soc. of Rock River, and med. soc. of Ill.; member board of health. Fellers J. S., (e) Nokomis. Fellows A. M., Lincoln. Fellows G. AY., Kewanee. Fenity Peter, Kane. A. B., Knox coll., 1852; M. D., St. Louis med. coll., 1859; member med. soc. of Greene co. Ferguson R. H., (e) Bushnell. Ferguson S. T., Minoaka. Ferrell H. V., Marion. M. D., Rush med. coll., 1868. Ferris Edmond, Vermillion. M. D., Rush med. coll., 1868. Ferris Leonard T., Fountain Green. M. D., med. dep’t univ. of Nashville, 1869. Ferris Leonard T., Fountain Green. M. D., med. dep’t univ. of St. Louis, 1848. Feyate J. F., Urbana. Ficht Otto, (h) Collinsville. Field J. AY., Cm) Galesburg. Field S., (h) Hillsboro’. Field T. AY., (m) Elliotstown. Fields S. H., (m) Atlanta. Filden J. H., Nakomis. Filkins Frank, Cayuga. Member med. soc. of Iroquois co. Filkins H. A., Odell. Filkins J. H., Pontiac. M. D., Chicago med. coll., 1866. Filkins J. AY., Pontiac. Member med. soc. of Iroquois co. Finch A. P., Larkinsburg. Finch, Plainfield. Finch T., Greenfield. Findley AY. M., Salem. Fink J. W., Hillsboro’. M. D., St. Louis med. coll., 1853; member med. soc. of Montgomery co., and med. soc. of Ill.; (founder of Montgomery co. med. soc.) Finley Thomas, (e) Pana. Finley A. M., (e) Salem. Finley S. C., Olney. Finn AY. J., Grantsburgh. Finey John Jacob, Springfield. M. D., Bellevue hosp. med. coll., 1869; member med. soc. of Christian co., and Am. med. asso., 1873. Fischer H. F., Mud Creek. Fischer Herman, Havana. Grad, at Jena, Germany, 1854. Fish S., Metropolis. Fish Stephen N., East Paw Paw. Fisliburn Isaac P., Lombard. Fisher Alexander, (h) Prairie City. Fisher C., Jacksonville. Pres. med. soc. of Morgan co.; member Am. med. asso. Fisher C. AA r ., Freeport. Fisher D. S., (m) Newton. Fisher J. J., (m) Iroquois. Fisher Peter, Marine. Fisher T. D., Le Roy. Member med. soc. of McLean co.; censor of central Ill. med. see. Fisher W., (e) Georgetown. M.D., eclee. med. inst. of Cincinnati, 1853. Fisher AA r . J. AV., Effingham. Fisk R., (m) Olney. FiskR. AY., cm) Olney. Fiske I. W., Hillsboro’. Fitch Geo. AA r ., (m) Naperville. Fitch Joseph, Chanahow. Fitch AYilliam II., Rockford. M. D., "Chicago med. coll., 1868; member med. asso. of Rockford. Fithian AYilliam, Danville. Fitzgerald James, Plymouth. Flanders J. L., Olive. Flemer Martin, Martinsville. Fleming Wilson,.Port Byron. M. I)., Cleveland, 0., 1854. Flemming T. II., Canton. Flemming A\ r illiam L., Mode. M. D., Missouri med. coll., 1868; member med. soc. of Shelby co. Flesher AA r . II., (e) Noble. Fletcher Joseph, Mendon. Flick O. C., Kewanee. Flinge G. AY., Tower Hill. Flood James Ramsey, Ilyde Park. A. B., (nocoll, given); M. D., Jeffersonmed. coll., 1866; member Chicago soc. of phys. and surg.; attending phys. to woman’s hosp. of Ill.;—spe¬ cialty, obstetrics, etc. Floren Charles AY., (m) Rockford. Flowers II. G., Fulton. Floyd T. AY., Gillespie. Fly J. J., Makanda. «<• Folke Henry, Peatone. Folke J. AY., Joliet. M. D., Chicago med. coll 1871. Follett Orville, Normal. Follin J. G., Plymouth. Folonie Joseph N., Beardstown. Grad. AVurzburg, Bavaria; M. D., Tuliur univ., 1859; member casino AVurzburg; co. phys. Cass co. 148 FOX ILLINOIS. GAR Fones Harry, (m) Geneseo. Foote Daniel E., Belvidere. Member med. soc. of Boone co., and med. soc. of Ill.; coroner. Foote J. A., (h) Wellsboro’. Foote G. W., (h) Galesburg. Foreman A. W., (e) White Hall. Foreman J., Yirdin. Foreman B. W., Lima. Member med. soc. of Lima co. Forshee E. G., Kinmundy. Forshee P. W., Kinmundy. M. D., Cincinnati coll, of med. and surg., 1854; 1st ass’t surg. U. S. vols. 2 years. Forster, Tonica. Fosgate Oscar, (e) Plattsville. Foster A. P., (h) Tonica. Foster E., Boland. Foster F. H., (h) Joliet. Foster J. P., Nashville. Foster J. T., Dubois. Foster Bobert, (e) Palmyra. Foster B. D., Okalla. Foster W. W., S. Chicago. Fouage B. H., Sumner. Fowler B. F., (h) Galena. Fowler IT. M., Seal’s Mound. Fowler William, Watseka. Member med. soc. of Iroquois co. Fox A., (m) Wyoming. Fox Charles James, Peoria. M. D., Long Island coll, hosp., 1868. Fox C. G., La Salle. Fox D. J., Kinmundy. Fox Harvey, Wyoming. Fox James B., Springfield. Fox W. B., Taylorsville. Fox William B., Wilmington. Member med. soc. of Ill. Fraley J. D., Fairbury. Francisco E., (e) Greenville. Francisco E., (e) Greenville. Franklin J. H., Waterloo. Franklin J. M., Clinton. Frankenberger S., Topaz. Franklin J. H., Jacksonville. Franklin J. M., Dionna. Fraser W. P., Coleta. Frazier J. T., Howard’s Point. M. D., Chicago med. coll., 1865. Frazier M. D., Bridgeport. Frazier J. V., Viola. Frazier W. L., Hardinville. Freeman A. S. Campbell. Freeman H. J., Crab Orchard. Freeman H. J., Crab Orchard. Freeman Julius A., (e) Newark. M. D., Am. med. coll, of Cincinnati, 1855; ass’t surg. U. S. vols. during war. Freese R. H., (e) Sumner. French Charles P., Virden. M. D., Castleton med. coll, of Vt., 1848; exam, surg. to life ins. co. French E. J., Olney. French H., Dix. French H., Dix. French Thomas, Greenfield. French W. H., Newark. French Z. D., Sumner. M. D., med. dep’t la. univ. (no date); member med. soc. of Richland co.; hosp. steward 3 y’rs; act. ass’t surg. and ass’t surg. U. S. cavairy 1 year. Frescott John, Rochester Mills. Member med. soc. of Wabash co. Frick J. B., Geneseo. Friend E., Sardova. Friend F., Fayetteville. Friend William, Wabash. Member med. soc. of Wabash co. Frieze T., Taylorville. Frigate D. J., Plymouth. Fringen Geo. W., Tower Hill. M. D., Mo. med. coll., 1868; member med. soc. of Shelby co. Fritz Thomas J., Cold Spring. Member med. soc. of Shelby co. Froning Philip, Freeport. Frost J. M., Mattoon. Fry J. H., Atlanta. Frye Joseph, Peoria. Member med. soc. of Peoria city, and Am. med. soc., 1872. Fryrear A. B., Ashland. Fugate John F., Quincy. Fulkerson R., Eddyville. Fuller E. E., (m) Oneida. Fuller G. A., Buda. Fulton L. W., New Berlin. M. D., Rush med. coll., 1869. Fulton William J., Bloomington. Fulton W., White Heath. Fugurson T. D., Logan. Fusch Charles, Logan. Fuson John Lee, Wakefield. Never attended lectures. Fyffe J. R., Pontiac. Fyhes J. J., Odin. Fykes J., Odin. Fykes J., Odin. Gaddy Geo. H., Concord. M. D., Rush med. coll., 1871; ex-pliys. life ins. cq Gaily M. M., Prentice. Gaiter M. H., Wyanet. Gale E. H., Aurora. Member med. soc. of Fox River Valley. Galer Joseph B., Warren. Galland Samuel, Clinton. Gallaway J., (h) Paris. Gallaway Samuel, (h) Liberty Hill. Gallaway Samuel, (h) Liberty Hill. Galt Thomas, Rock Island. Member Rock Island and central med. soc. Galt W. J., Sterling. Gardner F. B., (h) Sublette. Gardner G. W., (m) Golconda. Gardner J. M., Lincoln. Gardner S. B., Etna. Member Theological society of Wabash Valley. Gardner J. D., (e) Mahomet. Garner J. L., Hutton. Garner J. L., Hutton. Garnsey Cliffs, A., (h) Batavia. Garrals John, (m) Belvidere. Garrals John, (m) Belvidere. Garrals John, (m) Belvidere. Garrison G., Bell City. Garrison H. D., (h) E. Chicago. Garrison Jos. L., Whitehall. Garth Thomas, (e) Grandview. Gartner Melkert H., Dover. B. S., Thorntowa acad.; M. D., Rush med. coll., 1871. Garvin E. S., Sycamore. Garvin J. Paul, (h) Alton. Garvin J. W. Sycamore. Garwood Geo., (m) Clinton. Gaskins S., (e) Neponset. Gassaway N. H., Milford. Gaston E. A., Point Pleasant. Gaston E., Hoopestown. Gaston E., Hoopestown. Gaston E., Clifton. Member med. soc. of Iroquois co. Gaylord, Pontiac. Member medico-pathological soc. of La Salle co. Gaylord E., Magnolia. Gaylord F., Magnolia. Gayman J. J., Belleville. Gearhart Wesley R., Winnebago. Gearhart E. D., Hazel Dell. Gebhart J. L., Metropolis. Gee J. G., (m) Tamarara. Geister C., (m) Oswego. Gentry J. W., Cave-in-Rock. George J. F., Arlington. George R. W., Piper City. Gibbons J. S., Burnside. Gibbons J. S., Burnside. Gibbons J. A. M., Thebes. Member med. soc. of Alexander co. Gibson J. H., New Salem. Gibson Richard, (m) Pontiac. Gibson R. C., Young America. Giddon D. C., Mt. Pulaski. Gifford B. F., Union Point. Gilford Daniel, Lindenwood. M. D., med. dep’t univ. of Iowa, 1868. Gilbert A. V. T., Monmouth. Member Military Tract med. soc. Gilbert J. C., (e) Belvidere. Gilbert W. G., Ipava. Gill Henry Z., Jerseyville. M. D., Jefferson med. coll., 1857; member med. Soc. of St. Louis, and med. asso. of Mo.; rec. sec. of St. Louis microscopical soc. until moving to Jerseyville; cor. sec. med. soc. of Mo.; ass’t surg. and surg. Ohio vols. 2 years; ass’t surg. and surg. U. S. vols. 2 years; one of the editors of “St. Louis Med. and Surg. Journal; “—author of papers, “Amputation of Thigh,” 1866; “Lincoln Extraction of Cataract,” 1873, etc. Gillam Daniel A., Fairmount. Gilles George, Monmouth. Member Military Tract med. soc. Gillet Leslie, Buffalo. M. D., Mo. med. coll., 1857. Gillet S. C., Aurora. Member med. soc. of Fox River Valley. Gillette John, Trivoli. Member med. soc. of Peoria co. Gillette W. J., Ipava. Gilliland W. E., Coatsburg. M. D., St. Louis med. coll., 1869; member alumni ass’t of St. Louis coll.; phys. and surg. Adams co. almshouse. Gilman H. A., Jacksonville. Member med. soc. of Morgan co. Gilpin A. B., New Haven. Githens William H., Hamilton. M. D., med. dep’t univ. of Iowa, 1853; ass’t surg. U. S. vols. 3 years. Given J. A., Cameron. Glasco J., (m) Western Saratoga. Glass J. B., Mt. Sterling. Glover Geo., (m) Middleport. Glover Geo., (e) Ramsey. Goddard James Hathom, Oakdale. M. D., coll, of med. and surgery, Cincinnati (no date); hospital steward U. S. vols. 11 years; contract surgeon, 1 year. Godfrey H. M., Ottawa. Golden J. A., Lovella. Golden S. C., Independence. Goldsmith D. B., (m) Bowling Green. Goldsmith, Ramsey. Goltra Isaac V., Blue Mound. Goltra Isaac V., Blue Mound. Gooch J. E., New Liberty. Goodbrake Christopher, Clinton. M. D., Rush med. coll., 1855; pres. med. soc. of De Witt co.; member Central Ill. med. soc., med. soc. of Ill., and Am. med. asso., 1872; surgeon. U. S. vols. 35 years;—author of “Report on Practical Medicine,” 1860; “Case of Extra Utterine Fertation, with Operation of Gas-trotomy.” Goodell I., (m) St. Charles. Goodell William L., Effingham. M. D., Rush med. coll., 1866; health officer of Effingham. Goodell W. T., Freemanstown. Goodheart F. B., (m) Welang. Goodman M. M., Jonesboro’. Goodman W. A., (h) Lodi. Goodrich S. S., Nashville. Goodrich S. S., Nashville. Goodrich S. S., Nashville. Goodwin S. S., Dundee. Member med. soc. of Morgan co. Goodwin A. E., Rockford. Member and sec. med. asso. of Rockford. Goodwin Nelson, Palestine. Goodwin R. T., Dundee. Member med. soc. of Fox River Valley. Goodwin Nelson, Palestine. Goodwin R. T., Dundee. Gordon Eli A., Chester. Gordon Franklin Willard, (h) Sterling. M. D., Hahnemann med. coll., 1866; act. ass't surg. U. S. vols. 2 years. Gordon G. S., Ottawa. Gordon G. W., Equality. M. D., Cincinnati coll, of med., 1858; surg. U. S. vols. 3 years. Gordon James, Greenville. Gordon J. H. C., Pocahontas. 150 GOR ILLINOIS. HAL Gordon T. J., Cairo. Member med. soc. Of Alexandria co. Gordon J. S., Burnside. Gordon J. T., Carlyle. Gordon Stewart, Steelsmills. Gordon William A., Chester. Gordon W. P., Greenville. Gorham Charles, York. Member med. soc. of Marshall co. Gorham John, (e) Walshville. Gorham Charles, York. Member med. soc. of Marshall co. Gorham John, (e) Walshville. Gould Id. C., Yorktown. Gould Id. C., Caledonia. Gould Id. C., Caledonia. Go wen J. E., Metropolis. Gower John M., (e) Atlanta. Gower John M., (e) Atlanta. Gower John M., (e) Atlanta. Grafton E. O., Hebron. Grattan E. O., Hebron. Grattan E. O., Gallatin. Gray C., Cuba. Gray E. W., Monmouth. Gray James L., Macon. Gray W. G., Mt. Sterling. Gray W. M., Petersburg. Grayson I. J., (e) Russellville. Green, Louisville. Green A. W., Potosi. Green C. C., Roland. Green D. R., Salem. Green Duff. W., Mt. Vernon. Green Edward D., (m) Vandalia. Green George, Bristol Station. M. D., Rush med. coll., 1870; member med. soc. of Fox River Valley. Green John, Bristol. M. D., Rush med. coll., 1870. Green John, News. Green J. G., Wyoming. Green John W., Marengo. Green John W., Marengo. Member med. soc. of Fox River Valley. Green W. A., Johnsonville. Green Thomas, (m) Jeffersonville. Green Edward, (e) Sheldon. M. D., med. dep’t of “ Hudson Ohio coll.,” 1847; partially retired from practice. Green W. A., Lima. Green Thomas, (m) Jeffersonville. Green Robert, (e) Sheldon. M. D., med. dep’t univ. of Louisville, 1872. Green, R. C., Attica. Greer Albert P., Moscow r. M. D., med. dep’t univ. of Louisville, 1872. Greer, R. C., Attica. Gregg Patrick, Rock Island. Attended lectures coll, of surg., and Trinity coll. Dublin; M. D., Jefferson med. coll., 1835; member med. soc. of Rock Island, and Iowa central med. soc. of Scott co., Iowa, med. soc. of Ill.; act. ass’t surg. at Rock Island arsenal since 1863; surg. U. S. vols. 2 years. Gregory John, Farmington. M. D., Rush med. coll., 1850; member med. soc. of Peoria co., and med. soc. of Ill.; surg. U. S. vols. 1 year. Greggory L. B., Mt. Vernon. Greeley D. M., Mt. Carroll. Grier D. C., Plum River. Grier D. C., Plum River. Griffin J. R., (e) Effingham Griffin J., Ridge Farm. Griffin O. K., (e) Huntley. Griffin R. J., Carthage. Griffin R. J., Carthage. Griffith Benjamin M., Springfield. M. D., St. Louis med. coll., 1859; member med. soc. of Sangamon co., and med. soc. of Ill.; med. exam, life ins. co. for southern Ill. Griffith J. Holmes, (e) Alton. Griffith W. T., Washington. Grigson R. J., Augusta. Grimes James T. Member med. soc. of Quincy. Grimes J. W., Liberty. Grimes L. A., Concordia. Member Am. med. asso., 1872. Grinstead John, Litchfield. Grippenberg-, Alton. Grissom T. L., (e) Shinn’s Point. Griswold C. A., Fulton. Griswold S. A.. Franklyn Grove. Grosvenor S., Galesburgh. Grove W. A., Victoria. Grover A. J., (e) Rock Island. Grumudee F., Nauvoo. Gudich Emil, Alton. Guild G. It., (h) Bushnell. Gully J. B., (h) Geneva. Gumper S., Darwin. Gunnett Geo., (h) Fairview. Gunsull H. B., (m) Pontiac. Gunther Julius, Quincy. Member med. soc. of Adams co. Gunthier II. P., Clifton. Gusmer E., (m) Peoria. Gush J. G., Peoria. Gush Israel J., Peoria. Treas. med. soc. of Peoria city; member med soc. of Ill.; perm, member Am. med. asso. Guthrie Hugh R., Sparta. Gwynne John, Mt. Morris. Haas Jacob. (m) Danville. Hacker II. C., Jonesboro’. Hadway C. D., Jersey ville. Haening T., Bloomington. Haeman J. W., Blue Island. Ilagerdorn-, Avon. Hagar-, Odin. Hagar Abner, Marengo. Member med. asso. of Fox River Valley. Hagert J. R., Downer’s Grove. Hagey W. II. II., Coluta. Ilaines W. E., Ellisville. Haire John, Arena. Hake Jacob, Cordova. Halber I., Lanark. Halbrook Geo., Campbell. Hale E. I\, Southampton. Hale James I., Anna. One course lectures Chicago med. coll., 1868-69; —author of “ Private Country Practice,” 1861; “ Use and Abuse of Hydr. Chlorate,” 1862, etc. HAL ILLINOIS. IIAR 151 Hale James J., Penninger. Hale R. S., Morris. Hale S., (h) Oak Park. Haley H. A., (h) Urbana. Hall A. A., Clement. Hall E. F., Fairfield. Hall Frank, (h) Taylorville. Hall G. A., (h) Riverside. Hall G. W., Quincy. Member med. soc. of Ill. Hall Joseph, Edgewood. Hall James, Higginsville. Hall J. A., (e) Danville. Hall J. I., (m) Fairfield. Hall R. C., Rushville. Hall Sylvester, Bernadotte. Hall Thomas, Toulon. Coroner of co. Hall Walter, Bradford. Hall William, Danville. Hallam J. G., Belleville. M. D., St. Louis med. coll., 1873. Haileday T. F., Pittsfield. Haller F. B., Vandalia. Member med. soc. of Ill., and Am. med. soc. Haller Joseph, Lanark. M. D., med. dep’t of N. western univ., 1862; ade., 1868; member med. soc. of Carroll co.; perm. sec. of the soc. Halliday F. A., Metropolis. Halliday Charles II., Carlinsville. Hallstead M. A., (h) Jacksonville. Haller Robert, Highland. Hamer Ellis P., Vermont. M. D., Jefferson med. coll., 1851. Harnes H., fe) Dongola. Hamilton Brooks Rund, Nauvoo. M. D., coll, of plu s, and surg., Keokuk, 1870; pension surg. U. S. vols. Hamilton, Monmouth. Hamilton Benj. Franklin, Terre Haute. M. D., O. med. coll., 1867. Hamilton S., Frankfort. Hamilton Samuel M., Monmouth. M.D., Jefferson med. coll., 1853; member Military Tract med. soc.; surg. U.S. vols. 3 years. Hamilton John A., Odin. Three full courses at Louisville med. coll., 1840; Lexington, 1843; N.Y., 1848; lion, degree med. clep’t univ. of N.Y.; surg. U.S. vols 8 months;—author of article, “Amenorrhoea,” 1868. Hamilton John B., Kane. M.D., Rush med. coll., 1869; member med. soc. of Jersey co., med. soc. of Ill., and Am. med. ass. ; various reports in transactions of State soc. Hamilton John L., Peoria. Pres. med. soc. of Peoria City. Hamilton Joseph Ormond, Jerseyville. Member med. soc. of Jersey co., and Am. med. ass. Hamilton W. R., Sliohokon. Hamilton W. W., (h) Crystal Lake. Ilamlin D. D. T., Turner Junction. Member med. soc. of Fox River Valley. Hammer J. N. (h) Quincy. Hammond R. D., Macomb. Hamos D. E., Lacon. Hamp Henry, Elizabethtown. Hance Francis W., Freeport. M. D., med. dep’t univ. of Pa., 1849; member med. soc. of Stephenson co. Hance Joseph, (e) Marengo. Hance S. F., Aurora. Member med. soc. of Fox River Valley. Ilanback J. E., (e) Springfield. Hand A. F., Morris. Hanker-, Evanstown. Hankins J. G., South Pass. Hanks D. B., Bement. Hanks M. H., (h) Harvard. Hanly William, V.-pres. med. soc. of Will co. Hanna William M., Lisbon. Hannan W. F., Carthage. TIans M. P., Harrisburg. Ilansborough E. E., Metropolis. Hanson Florian E., Winchester. Harcoll G. D., Moore’s Prairie. Hard Abner, Aurora. Member med. asso. of Fox River Valley, and med. soc. of Ill. Hard Chester, Ottawa. Hardtner John, (e) Carrollton. Hardy Hiram Tanney, Elgin. M. D., med. dep’t of Dartmouth coll., 1866; act. ass’t surg. U. S. vols. 2 years. Harkell A. S., Alton. Harney Samuel, Todd’s Point. Harnett J. M., Shelbyville. V.-pres. med. soc. of Shelby co.; member med. soc. of Ill. Harper G. C., Morris. Harper J. D., Springfield. M. D., Mo. med. coll., 1857; ad. eund. Rush med. coll., 1859; exam. surg. U. S. vols., 1862; spe¬ cialty, oculist and aurist. Harper J. F., Elvaston. Harper I. T., La Prairie. Harram W. S., Blue Island. Harriatt E. L., Grafton. Harrington M. T., Mapleton. Harris Blixton, YorkviUe. Member med. soc. of Fox River Valley. Harris C., (e) Newton. Harris David., Lima. Harris D. W., Groveland. Harris H. A., Petersburg. Harris John, Tower Hill. Harris J. O., Ottawa. Harris J. V., Canton. Harris Richard Flury, Perry. M. D., med. dep’t univ. of Mich., 1868 ; Bellevue hosp. med. coll., 1869; member med. soc. of Quincy co. Harris R. T., (h) Pittsfield. Harris S. 1\, Tower Hill. Harris W. II., Metropolis. Harris W. J., Medora. Harrod Penuel, Avon. M. D., O. med. coll., 1866. ITart D. M.. Flora. Hart John Franklin, West Point. M. D., med. dep’t Iowa state univ., 1865. Hart William B., Greenwood. Hartman Geo. W., Sidney. 152 HAR ILLINOIS. HER Ilarvey-, Bellevue. Harvey A. F., Hope-dale’. Ilarvey Estes, Jr., Walkerville. Tlaryey G. E., Camden. Harvey James, Mt. Carmel. Not a grad.; has practised more than 20 years ; member med. soe. of Wabash co.; sec. of soc. since its organization. Ilarvey .Tames A., Camden. Harvey J. E., (m) Sidney. Harvey Jno. G., More City. Harvey T. J., Fieldon. Member med. soc. of Jersey co. Harvey V., Mt. Carmel. Member med. soc. of Wabash co. Ilarvey W. P., St. Francisville. Member med. soc. of Wabash co. Harwood J. M., Mt. Auburn. Harwood M. B., Anna. Haskell W. A., Edwardsville. Ilasler Jacob, (mi Hollo way ville. Hass E., (m) Mendota. Hateh H. Lee, Jacksonville. M. D., Missouri med. coll., 1873. Hatch II., Griggsville. Hatcher M. G., Edwardsville. Hatey H. A., (e) Urbana. Hathorne R. A., Illinois City. I latheway J. C., Ottawa. Hauley William, Lockport. Ilavey J. S., Maynardsville. Hawes C. C., Mahomet. Hawes-, Georgetown. Hawk J. W., Dunton. Hawkes W. J., (h) Evanston. Hawkins J. G., South Pass. Hawkins Jno. W., (e) Carlinville. Hawkins Robert A., (e) Carlinville. Hawkins Washington, Sangamon. Hawley II. A., (h) Como. Hawley S. B., Aurora. Member med. soc. of Fox River Valley ; med. soc. of Ill. Hawthorne Robt. A., Illinois City. One course leets. Keokuk, Iowa. Ilaxel F., (h) Coatsburg. Hay C. D., Centralia. Hayden William, Coulterville. Hayden W., Atkinson. Haydorn J. D., (h) Avon. Haynes John, Sumner. Haynes Baxter, Ester. Haynes J. B., (m) Aurora. Haynes W. P., Harrisburg. Haynes John G., Paris. Member Esculapian med. soc. Hayton James, Carbondale. Hayward J. M., Hopedale. Hayward T. E., (h) Morris. Hayward T. E., (h) Morris. Haywood A. Homer, (h) Kinmundy. Head Martin H., Carlinsville. Headon T. S., Lynnville. Heath Samuel, Elizabethtown. Heath S. F., Streator. Hecker W. J., Oblong City. Hecker William L., (h) Girard. Heber Jacob, Pana. Healey D. C., Germantown. Heeter G., Ava. Heiderman George Frederick, Elmhurst. M. D., Rush med. coll., 1863; ass’t surg. U. S. vols. 2 years. Heeling F. S., Springfield. Heise A. W., Joliet. M. D., Gottingen, Germany, 1846; attended lects. in Heidelberg, Berlin, and Wienne, Germany; pres. med. soc. of Will co.; member med. soc. of Ill., and Am. med. asso., 1872; surg. U. S. vols. 3 years: specialty, surgery. Heitman Fred. W., Chester. M. D., St. Louis med. coll., 1873. Helen M. M., Mt. Auburn. Heller W. H., Abingdon. Member Military Tract med. sec. Helm E. D., Quincy. Member med. asso. of Quincy. Helm Thomas M., Williamsville. Helm William McKendree, Mt. Auburn. M. D., St. Louis med. coll., 1869; member med. soc. of Christian co.; alumni soc. of St. Louis med. coll. Hemming T. S., Springfield. Hempstead W. C. F., (h) Virden. Hempstead W. C. F., (h) Edwardsville. Henderson Eliel Freeman, Chester. M. D., St. Louis med. coll., 1862; member board of health; assh surg. U. S. vols. 4 years. Henderson J. E., (e) Union Point. Henderson R. N., (e) Sciota. Hendrick A. W., (h) Monee. Hendrick D., Metropolis. Hennessey Thomas W., (m) La Salle. Hennrichs A. W., (h) Frankfort. Henry B. F., Princeville. Henry James Malcom, Rockport. M. D., coll, phys and surg. of Keokuk, 1860. Henry Robert F., Princeville. M. D., Rush med. coll., 1853; member med. soc. of Peoria co. Henry Samuel, Camp Point. Henshaw W., Geneseo. Hensley J. W., Yates City. M. D., Rush med. coll., 1867; pres. Military Tract med. soc.; member med. soc. of Peoria co., Am. med. asso. Henton C. D., Meyersville. Hentley James, Padua. Herbert J. B., Monmouth. Herdman, I. H., Dudley ville. Herman Prior Jefferson, Lulu. M. D., Rush med. coll., 1663; member med. soc. of Montgomery co. Herrick O. Q., Kansas. Member. Esculapian med. soc., and med. soc. of Ill. Herrick William Slade, Heaton. A. B., Dartmouth coll., 1860; M. D., Rush med. coll., 1866. Herring T., Bloomington. Member med. soc. of McLean co. Herrington D., Farmington. A. B., Franklin coll., Ohio; M. D., med. dep’t Univ. of Nashville, 1859; v.-pres. med soc. of Jersey co.; member med. soc. of Ill., and Am. med. asso., 1872; pres, board health of Grafton; coroner of Jersey co.; contract surg. U. S. vols. 2 ve ars;—author of paper, “On Cholera,” 1867; “Tetanus,” 1872. Herrod-, Avon. Hess J. M., Streator. Hess Seth Hamilton, Quincy. M. D., Rush med. coll., 1865; and Bellevue hosp. med. coll., 1866; lecturer on anat., phys., and hygiene, Quincy coll., during 1808; member med. soc. of Adams co., Am. med. asso. Hess T. M., Homer. Hester J. II., Butler. Hester-, McLeansboro’. Hester-, McLeansboro’. Hetman F. W., Chester. Hewes G. R. T., (m) Rock Island. Hewes G. R. T., (m) Rock Island. Member med. soc. of Iroquois co., and Am. med. soc., 1872. Hewitt James Herbert, Summerfield, M.D., med. dep’t univ. of Buffalo, 1865; member med. soc. of St. Clair co.; ass’t surg. army Potomac 3 months. Hewitt G. W., Franklin Grove. Y.-pres. med. soc. of Lee co., and member Am. med. asso. Hewitt Samuel, (e) Lafayette. Hewitt S. C., (e) Chatham. Heywood Cyrus, Farmington. Hatt A. H., Wheaton. Hibbs Irvin, Forsythe. Hickman Thomas Gideon, Yandalia. Member Am. med. asso. Hickman, Newman. Hickman Thomas Gideon, Yandalia. Member med. soc. of McLean co. Higgins E. H., Whitehall. Member med. soc. of Greene co. Higgins W. W., New Salem. Higgins James, Utica. Higgins C. C., Vermont. Higgins D. C., Pana. Higgins George, Aurora. Higgins James M., Griggsville. M. D., med. dep’t of Columbia coll., 1829; med. superintendant 111. hosp. for insane from 1848 to 1854; v.-pres. Griggsville scientific soc.; surg. Ill. vols. 1 year; author of various papers on Insanity. Higgins L. C., Naples. Higgins R. T., Yandalia. Member Esculapian med. soc., and med. soc. of Ill Higgins S. H., (m) Peoria. Hihler A., Mascontah. M. D., Minchen, Bavaria, 1851; member med. soc. of St. Clair co. Hill A. G., Goodhope. Hill A. M., (e) De Kalb. Hill Green, (m) Mt. Pulaski. Hill J. H., Arcadia. Member med. soc. of Morgan co. Hill R. S., (h) Albany. Hill Walter B., Greenfield. Member med. soc. of Greene co. Hill, William, Bloomington. Member med. soc. of Central Ill., and med. soc. of Ill. Hillebrand C. H., Freeport. Hill Jno. S., Hillsboro’. Hilsabeck William. Member med. soc. of Shelby co. Hinchman C. W., Carlinsville. Hinckman T. G., Vandalia. Member med. soc. of Ill. Hinkle John M., Mattoon. Member JSsculapian med. soc. of Wabash valley. Hinckley D., Leland. Hinesley J. W., Yates City. Hirch T., (h) Galena.
bpt6k8217644_3
French-PD-Newspapers
Public Domain
Si je suis tout à fait d'accord avec M. F. Heric, de l'OEuvre pour constater la carence de l'Etat Français, lequel n'a pas encore fait l'effort nécessaire, indispensable pour doter ce pavs des espaces libres, des terrains d'entraînement des baignades dont la jeunesse a besoin — et ici j'ai critiqué cette carence plus qu'aucun autre journaliste — je ne puis par contre suivre mon confrère dans ses appréciations. Car M. Hé rie ne paraît pas avoir étudié la Question sous toutes ses faces. ooo Certes, sur le papier, il semble agréable qu'une puissante maison dote son personnel d'installations éducatives et sportives. Et l'on ajoute qu'elle pourrait plus mal utiliser son budget publicitaire. Car au fond, tout cela C'est de la publicité, et parfois de la plus tapageuse. Témoin la fameuse équipé de rugby de Quillan chère — à tous points de vue — a un chapelier local. Le Seul résultat a été la création d'une bande d'amateurs marrons, payés indûment comme travailleurs dans le chapeau — sans jeu de mots — et dont l'unique occupation était de flanquer des coups de pied dans le ballon et de «bagarrer» le dimanche contre Jes teams rivaux. Dans le cas Sochaux, il y a aussi une équipe de joueurs pros, conception qui continue à nous laisser assez peu enthousiaste (i). OOO Mais supposons que cela, c'est l'équipe ! distribuant les prospectus, le team d'hommessandwiches de la firme, et que derrière il y a des installations, des aménagements dont profite line partie du personnel des usines. Eh bien, cela encore ne reçoit pas, ne peut recevoir mon approbation. Comme }e l'ai déjà dit dans ces colonnes et dans une brochure, îe sport patronal est un non-sens, ou plutôt c'est un leurre) une j duperie pour le travailleur, lequel est ' d'ailleurs majeur et suffisamment Capable , pour mettre lui-même sur pied tout ce qui concerne ses loisirs et sa santé. Les réalisations de quantité de communes ou; vrières. Roubaix et Toulouse pour ne citer : que ces deux de première grandeur {et i Il « efl a une foule d'autres) le prouvent | ■Et puis le commerçant, l'usurier qui • agit ainsi, qui subventionne un club, dit ' corporatif, a-t-il vraiment en vue l'amé1 lioration du sort de son personnel? Je_ me permets d'en douter puisque parmi jes {maisons ayant donné le jour à dès sociétés sportives, il se trouve des firmes où le personnel est obligé de lutter durement pour défendre ses salaires — c'estàdire son droit à la vie — et pour obtenir le respect des lois ouvrières. Et il y a même parmi ces soi-disant mécènes un «trusteur» qui «finance» un club, mais oublie de verser au trésor les cotisations de son personnel pour les Assurances SocialesI Alors? uuu Il faut aussi étudier la question sous un autre angle. Si l'éducation physique et le sport sont utiles, — et c'est mon avis — tous les travailleurs doivent en profiter,' tous sans exception, et non pas seulement une partie au hasard de l'embauche ou du débauchage dans une maison qui aide l'exercice athlétique. Car les réalisations patronales sont réservées à leurs seuls salariés. Alors, si demain je quitte un de ces patrons je n'aurais plus droit à la piscine bienfaisante, au stade îndispensable, je serais privé d'exercice. Ceci prouve que les réalisations pour 3'éducation physique ne doivent pas venir lie l'initiaitve privée, mais être d'ordre commercial, pour être à la disposition de tous. Et si des mécènes aiment le sport, (qu'ils subventionnent leur localité, afin ,que celle-ci puisse donner à tous ses habitants sans exception, le moyen de cultiver et de développer leur corps. Et je pense que les journalistes qui no-, îent la responsabilité de l'Etat français dans ce domaine seraient bien inspirés de 6'unir pour entamer une campagne de vaste envergure, afin d'obliger ceux qui tiennent Ses «leviers de commande», à se préoccuper enfin de ces questions et à soutenir l'effort méritoire de tant d? municipalités. Cela serait, à mes yeux, plus utile que de louer telles réalisations forcément fragmentaires et qui apparaissent toujours comme une prime donnée à l'ouvrier, pour qu'il ne revendiqué pas, par ailleurs, des salaires meilleurs, des journées plus courtes, des lois sociales pius larges. Lui offrir un stade, c'est très joli mâis si le travailleur doit respirer, il faut aussi qu'il mange. Et j'ai bien peur que c'est lui-même, sur son salaire, qui paye îes terrains de jeux et les équipesréclames de son patron (a). Pierre MARIE, (î) D'autres journalistes marquent la même répugnance pour cette forme do l'exercice physique. Par exemple, M. massard, président du Comité Olympique francais élu 4 ce poste par les « antipros ». Et le secrétaire de là Ligue Parisienne de Football, M. Viel, souligna souvent çe qu'il faut penser du sportmétier. (2) Et puis ces « soutiens » sportifs mo risquent-ils pas dé disparaître avec la crise. Ne cite-t-on pas le club corporatif parisien lancé par cette firme à 3a publicité débordante et qui jadis. PôurVu d'une subvention annuelle de C50.0Û0 francs, voit ce crédit supprimé totaleme it. C'est donc la disparition obligée du club et de ses . Installations. Tandis qu'une commune trouvera toujours le moyen d'entretenir ses créations concernant l'éducâtion corporelle. La rénovation des courses de tandems humains a.u Vel d'Hiv a permis d'atteindre, sur un tour de piste, la remarquable vitesse de 67 kilométrés. La santé dépend plus des précautions Que des médecins. Bossuet, La marche touristique sport d'hiver La marche, c'est l'ancêtre de tous les sports. Il n'est pas d'exercice plus naturel à l'homme, et, pourtant, depuis l'existence du mouvement sportif, ce moyen de locomotion est eu régression. Pour nos parents, en particulier à la campagne, dés déplacements pédestres de plusieurs dizaines de kilométrés étaient chose courante. Des ouvriers allaient travailler do ville en ville par leurs propres moyens, des professions saisonnières connaissaient des migrations lointaines et une étape de 50 kilomètres ne passait pas pour un exploit. Depuis le développement des moyens de transport on ne sait plus marcher et il n'est pas rare de prendre un véhicule pour effectuer quelques centaines de mètres. En parlant de marche, noua pensons à un exercice naturel et nous écartons la marche dite « athlétique », qui permet sans doute de se déplacer à utie vitesse de 10 à 13 à l'heure, suivant la distance, mais dont la technique, d'ail» leurs disgracieuse, n'est pas à la portée de tous. Tout le monde a eu, peu ou prou, l'occasion de se promener à pied, mais combien de gens possèdent la notion de leurs possibilités de déplacement par ce moyen ? La marche pour l'excursion, pour le tourisme est le meilleur moyen dé voir vraiment, de pénétrer l'intimité de la région visitée ; c'est un exercice sain, à. la portée de tous et de toutes depuis l'enfant jusqu'au vieillard. C'est le sport le plus élémentaire pratiqué d'instinct et qui, par sa simplicité, peut amener à l'exercice physique tous oeux que rebute l'idée même de compétition. La marche touristique, le voyage à pied, l'excursion dominicale (qui n'est déjà plus la promenade à petits pas), doivent revivre dans un mouvement sportif régénéré. Déjà,, nous pouvons Voir une tendance vers la rénovation du tourisme pédestre. Dans les pays germaniques et particulièrement en montagne, c'est un spectacle courant, chaque semaine, que des groupes de jeunes, des familles entières partent à pied, sac au dos, pour vivre le repos hebdomadaire au grand air. En France, des préjugés tenaces et le t'ait que les scouts militarisés ont eU longtemps le monopole de cette Utilisation des loisirs, font que ceux qui marchent équipés sont considérés — quels que soient l'âgé et le sexe — comme des préparatistes militaires. Malgré le mauvais souvenir des marelles régimêntaires, nous répétons que la marché est U nexercice agréable, que lé progrès mécanique ne tuera pas. Dans la région pârisiënne quelques groupes de pratiquants ont attifé l'attention sur la forêt de Fontainebleau et chaque dimanche d'été y ramène dés, traius de promeneurs auxquels le P/L.M. fait des conditions intéressantes. Sous l'impulsion dés naturistes, campeurs, cyclotouristes, là pratique de la marche hivernale est également en progrès. Car la nature est belle, même en;' hiver, quand les arbres sont dépouillés. De .même, en automne les bois offrentau régard une variété de couleurs et de tons bien plus riche qu'en été. D'oc tobre à avril les journées sont courtes et froides, mais bien rares sont celles où le temps ne permet pas de vivre à l'air, de marcher, voire même de déjeuner dehors. Bien sûr, quelques précautions sont à prendre et il convient de s'équiper pour supporter les intempéries : se vêtir de laine, un imperméable, aux pieds de bonnes chaussures, au dos un sac de montagne contenant le repas et, pour préparer ce repas, un réchaud qui permet de manger et boire chaud. Allons les naturistes, les campeurs ! ce n'est pas seulement dans la saison estivale que votre corps a besoin d'air et do mouvement, au contraire c'est on hiver, où vous vivez plus longtemps en lieux clos, surchauffés, peu aérés, que vous devez réagir en vous retrempant chaque dimanche dans là nature. Partez tôt le dimanche matin, aux environs de Paris, les belles forêts de l'Ile-de-France vous permettent des itinéraires nombreux, marchez seuls ou en groupe. Et sachez qu'à l'U.S.S.G.T. vous trouverez un groupe spécialisé, le Tourist-Club Travailliste. Georges MAUPIOUX. Pour devenir professeur d'Education physique, il est nécessaire : — De préparer d'abord le brevet supérieur ou le baccalauréat; De suivre ensuite, pendant une ou deux années, les cours d'un institut régional d'éducation physique; — Puis d'affronter un concours difficile (examen d'entrée à l'Ecole normale d'éducation physique, une douzaine d'admis sur cinq cents candidats); — Enfin, de faire deux années d'études à l'Ecole normale d'E.P. et de réussir à l'examen de sertie (professorat). Tout cela, pour débuter, à 24 ans, avec un bagage de licencié ès sciences, à S00 francs par mois ! DE HAUT EN, BAS t ♦ Une curieuse photo prise Mer à Buffalo, lors du match de rugby Stade Français Eacing Club de France. ♦ Le magnifique spectacle offert par 18.000 sportifs ouvriers tchèques (8.000 jeunes filles et 10.000 garçons), évoluant avec ensemble dans le stade dé Prague. ♦ Le refuge construit par la section des « Amis de la Nature » de Thann, au Molkenràin, dans les Vosges, à 1.125 mètres d'altitude. ♦ Une amusante caricature de Max Schmelling, le boxeur allemand ex-champion du monde des poids lourds (vu par Nikolaus Wahl), y.-i &lt; Quelques réflexions Sur tin conseil de 150 membres Si l'éducation physique manque dé direction initiale, les dirigeants ne lui feront pas défaut grâce à son ministre qui vient d'enfanter un nouveau conseil de 150 membres Mais ce qui frappe le plus quand oh parcourt la liste des membres de chacune des commissions : c'est l'absence de vraies compétences. Des fonctionnaires, des politiciens, des militaires, des présidents de fédérations sportives, dont nul ne songe à discuter là valent, mais peu d'éducateurs physiques et de techniciens véritables. Sur la création d'un stade national Notre confrère André Leçon te, • dans Sporting, réclame l'édification d'un stade national à l'occasion de l'Exposition 1937. Excellente suggestion &lt;iui répond â une nécessité du moment. On récupérerait facilement les dépens par la perception d'un faible droit d'entrée et une fois l'Exposition terminée, ce stade pourrait servir utilement aux compétitions populaires et les pistes et'terrains être mis gratuitement h là disposition de la jeunesse. Actuellement, plusieurs organisations commercialisées se disputent la faveur de nous fàirè payer cher lé droit d'assis ter à toute manifestation sportive intéressante et nous doutons fort que cette formule de stade national trouve grâce en haut-lieu,, en raison justement des Intérêts privéS qui s'opposent « toute réalisation philanthropique. Léon CourrauD. &lt; Sport et Santé.). A tous les éducateurs, ans institutrices, à la famille également, je dis : La leçon quotidienne d'exercices physiques est plus nécessaire qu'on le croit aux' petits do 4 a S ans; elle est indispensable pour façonner l'enfant, le préparer à 'la Vis, assurer son bon équilibre cérébral et nerveux, sa belle attitude droite et sa sante. Il faudrait de la part des autorités une entente avec Jo personnel enseignant Pour réaliser de suite, dans là France entière un programme simplé. Ce n'est pas une question de crédit,. c'est une question de volonté. Pr G. racine (L'Educateur physique). La vie est faite de la santé que l'on se donne et des victoires qie l'on remporté sur soi-même et qui valent bien d'autres ■victoires. Dr Bellin du Coteau, Le prix des placés pour les J.O. de 1936 L organisation des prochains J.O. ss poursuit avec méthode. Le prix des places est fixé comme suit : il y aura trois catégories de placés assises (I, IX. ÏIl) : Cartes pour toute là durée dés JéuS et tous lés sports {1er au-16 août 1936 ; 100, 60, 40 marks. Cartes permanentes. — Athlétisme : marks, 40, 30, 20, — Natation : marks, 40, 30. Boxe : marks, 40, 3Ôj 20. — Escrime: marks. 35. — Aviron: marks, 35, 25. — Lutte et poids:marks,. 30, 20, — Football, finales et demi-finales : marks 30, 20, 15. — Hockey : marks, 35. — Handball: marks, i5. — Billets simples. —Journées principales ou finales : marks, 10, 6, 4 ; autres jours: marks..fi, 4, 2. Les places debout, seront a 2 marks pour îes journées principales, à 1 mark pour les autres jours, ' «* Poules sportives Pour la seconde fois cette année l(t troupe Tilâen s'exhibe sur des courts parisiens. Au l'arc des Ex-positions, comme à Roland-Garros l'été passé, le succès fut relatif et si les rencontres portées au programme ne se dispute-' rent pas devant des banquettes absolument vides, on peut noter que les spectateurs étaient en nombre assez restreint, surtout eu égard à la valeur et A la notoriété. des acteurs en présence. Pourquoi la foule de lu capitale boudetelle ces tournois ou paraissent pourtant des champions prestigieux comme Vines et Tilden? La raison en est simple. Le public n'est pas véritablement sportif. Les connaisseurs, cem appréciant réellement le geste athlétique, pour l'avoir pratiqué, sont une minorité. Les autres vont au spectacle. Et pour décider la grade masse d'entre eux, il faut un piment spécial, en l'occurrence un titré ou un objét d'art à conquérir, ou à conserver. C'est pourquoi il y a quelques années, lorsque le challenge-round de la Coupe Davis — la grande finale de l'épreuve — se disputait à Paris, le stade RolandGarros, était absolument comble. lit sur les 12.000 à 18.000 spectateurs présents, îa plus grande partie venait uniquement pour savoir plus tôt qui emporterait la Coupe et pouvoir raconter le lendemain qu'on avait assisté du duel tilden-cochet ou Cochet-Austin. Il faut le dire, c'est cet état d'esprit qui assure le succès des grandes réunions sportives. Odr si certaines gens ne veulent pus rater le grand prix Hippique de Longchamp, ou, le Grand steepîB d'Autéuil, d'autres, et nombreux, tenant à se montrer « up to date » entendent assister chaque année à quel* ques evént-s sportifs de premier plan. Ce qui permet de remplir Colombes pour la finale de la Coupe de France de football, et pour France-Angleterre ou France-Gallesde rugby (lorsqu'il il avait des matches franco-britanniques de ballon ovale). Cet engouement a fait aussi les beaux jours de Roland-Garros tilt temps de la « Davis CUp », ceux du VéV d'Hiv' pour les Six Jours. du Parc des Princes à l'arrivée du Tour de France. 4** Prenez les mêmes acteurs, plàcez-les dans les mêmes conditions, mais sans championnat à disputer, sans coupe pour laquelle il faut batailler et le public rie vient pius, oit vient moins. Bien HAr, certains argueront que ces hommes se rencontrant tous lés soirs, et sans enjeu lés encourageant à se surpasser, il arrive inévitablement que. cette répétition tourne ail travail dé VENT DE PARAITRE t Pierf-e MARIE Pour le Sport Ouvrier Préfaces dè Ch. Piard et P. Sergent OOO Vue brochure de 32 Pages Prix : 1 franc franco. LIBRAIRIE POPULAIRE 12, rue Feydeau. Paris (2e). tnir—i rr; n. rn 'i i • ' ' ~ manoeuvre, que le sport et son incertitude disparaissent, laissant la place aux combinaisons possibles dans ce genre d'affaires. Argument de valeur et qu'il lie faut pas négliger. Mais indiquons aussi, que dans nombre d'épreuves — prenons le cyclisme, vitesse et demi-fond et la lutte, par exemple — les « as » sont toujours les mêmes et se rencontrent chaque dimanche, ou l)as mal de lundis. Et l'on peut supposer qu'en dépit des titres de champions ou des « Grands prix » mis eii compétition, il se produit des arrangements entre gens ayant, en définitive, tout intérêt à s'entendre. Comme aux «. Six days », par exemple• Il est donc indéniable que l'importance accordée à l'enjeu décide lamajorité des « cochons de payants » à se rendre dans une arène sportive vendant du spectacle. Et pas mal y vont un peu dàns l'état d'esprit de cet ■insulaire suivant un cirque avec l'espoir de voir un jour le lion dévorer son dompteur. Ce qui nous vaut trop souvent des débordements de chauvinisme — national ou local — dont tant de réunions sont émaillées et qui sont le fait de liens ignoranttout dés règles sportives, tant techniques que moralés. Mais ceci* comme dirait Kipling, est une autre histoire. P. M. Le sport chez les sourds-muet: Les « silencieux sportifs » oqt un Comité international qui vient d'éditer, à l'occasion de son 10e anniversaire, Un recueil contenant nombre de renseignements intéressants. Le Comité international des sports silencieux a été fondé en 1924. Le principal mérite en revient si notre compatriote rùbens-Alcais, qtli en est le président. Six pays étaient affiliés â sa fonda. tiôn, ils sont quinze en 1924 : l'Allemagne, l'Autriche, la Belgique, le Danemark, la Finlande, la France, la GrandeBretagne, la Hollande, la Hongrie, l'Italie, la Norvège, la Pologne, la Suéde, la Suisse et la Tchécoslovaquie. Les pays en instance d'affiliation sont : l'Argentine, les. États-Unis, l'Espagne, le Japon, la Yougoslavie. Certainès fédérations ont un ' nombre assez élevé do sociétés : l'Allemagne en groupe 29, la Grande-Bretagne 57, la France 19, etc... Depuis sa fondation, le Comité à organisé trois fois dès Jeux internàtionaux en 1 !'24 au Stade Pershing, à Paris, avec 14'5 engagés ; en lî&gt;2S, au Stade Olympique d'Amsterdam, avec 210 engagés ; en 1931 au Stade municipal da Nuremberg, avec 316 engagés. Les quatrièmes auront Heu en août 1933, à Londres. Les Silencieux sportifs ont leurs journaux spéciaux. L'organe officiel du , sport chez les sourds-muets français est : « Le Silencieux » ; les Allemands éditent le « Deutsch Gehrlosen Turn inid i Sportzeitung » : les Anglais « The Bristisch Deaf Sportsman » ; les Danois i ce Bonaventura » ; les Hongrois « A , Siketck sportja » ; les Suédois &lt;i Sportbladet ». 3 Résultats et Union des Sociétés Sportives et gymniques du Travail Water-polo TOURNOI REGIONAL I^es clubs ci-dessous se rencontreront le : 4 décembre, (piscine Amiraux) : Boulogne (1) et 18e (1) ; 5 décembre, (Jonquièré) : U.S. ChampignyHabillement ; (i décembre, (Jonquièré) : C. A.O. 12é-Unité (2); G décembre, (Molitor), Boulogne (3)-lîe (2); C décembre, (Butte-auxKJailles) i Boniogne &lt;-) 14e (1). Prochaine réuii-îon commune de natation, le 8 décembre, piscine bedrnRollin. Les clubs de l'U.S.S.G.T. sont priés de faire participer leurs nageurs dans les différentes épreuves qui ain-ont lieu à cette réunion. Le programme étant a la disposition des intéressés à la prochaine réuiliou de la commission. Football A la « Cipale » : l'U.S.O. 12e a battu le C.S.T Levallois (2), 4-:j. et l'E.S.P. Ce (F.S.T.) a écrasé le C.S.T. Levallois (U.S.S.G.TJ, 10-0. A CLWHY Pour les fêtes du Nouvel An, la P.S. Clichy organise un tournoi de football avec les teams de Limoge?, Le Bonrget, Clichy et Zurich. SOLIDARITE SPORTIVE Football. — Équipes 1 èt 2 à 14 h., â Polaagis G. A. O. 12» Ce soir, à 21 heures, au siège, commission administrative; tons lés camarades membres de cette commission devront être présents : préparation de l'assemblée générale dé jeudi et l'impor. tante question de l'unité. A noter que notre assemblée générale aura lien h nôtre nouvelle salie : 142, Faubourg Saint-Antoine, le jeudi C décembre. Ptng-pong L'U.SR.O. Màlakoff organise un tournoi interclubs ouvert à toutes lég équipes de la F.S.T. et de iI'UjS.S.G.T. Le tirage au sort des rencontres aura lieu mercredi 5 décembre, à 21 heures, au siège de l'tT.S.O, Ma.laltoff, 43, rue VlctorHugO, à MalàkoffLes engagements sont fixés à 10 francs par éauioe (6 simples, 3 doubles). Chaque jmietir des deux équipes finalistes recevra une breloque et l'équipe gagnante recevra un bronze. FRATERNELLE SPORTIVE DE BLAii C-MESNIL lté btireau informe lés pàreûts désireux d'envoyer leurs enfants à notre société que lés répétitions auront lieu «a!!* Là Voilière, D, avenue de Draflcy. Pâtir les pupilles, les mercredis et vendredis, de 20 h. 30 à 21 h. 30: Poiir les jeunes tilles, les lundis et mercreidis, de 20 h. 30 à 21 h. 30; Pour les adultes, le vendredi de 21 il. 15 &amp; 22 t. 'SO. Cyclisme Classement du cross cyclo-pédestrô d'hksr : 1. Lotz (Nord-Est), les 12 km., en S4' 14"; 2. Suret, à 35"; 3. Bérganiiii; -4. Vaô Dènefoellé; 5. Mullét; 6. Cunîer (Boissons) ; 7. Barbier; S. GotirdenOt^ SFranet; 10. Deelair, etc..'. * * * La, réunion organisée &amp; la Piste juu.« Jiiflipale a été annulée par suite de la pluie. Crôss-country A HÔVILLES Les coupes d'encouragement organisées par le S.O. Hôuilleâ (F.S.T, et U.S. S.G.T.) réunirent plus de 350 cOUreurs. Classements : Minimes. — 1. Notolla; 2. Legaro; 3, V&amp;ry; 4. Tiîly; 5. Combes; 6. Seolari; 7-. Notolla (2); S. Marchain ; 9. Auger; 10. Ringuenoir. Juniors. — 1. Biskit; 2. Vidalettq; 3. Bellement; 4. Lefrançois; 5. Parmentier; G. Billout; 7. Leplat; 8. Combes; 9. 'Çwnet; 10. Fayart. Seniors. — 1. Martel; 2, Beauvais; 8. Cnutde; 4. Vilain; 6Charles; 6, Camel; 7. Tiberghien; 8. Poncçt; !), Lefrançois; 10. M traies. PAS-DE-CALAIS Football Groupe A. — j.S.O. S&amp;llaumlnes, 0;' J.S. Courrières, 1. J.S.O. Vendin-E.O. Hénin, Hénin battu par forfaitÉ.S. Vendin-S.O. Bruay, match interrompu par le brouillard. J.S.A. Bauvin, 3; IT.'S.O. Lens, 3. E.S.OLoison, 5; E.O. Wahagnies, 2. Cracovia-J.O. Annoeullin, match interrompu par le brouillard. Groupe B. — C.O. Carvin, 1; J.O. Annoeullin, 0. S.O. Bruay, 4; J.SCourrières, 4. S.O. Meu-rchin-J.S.A. Bauvin, match interrompu par le brouillard, J.G, Provin, 3; Cracovia, 3, Sdsket-ball District Sud. — C.O. Carvin, 1S; E. O. Hénin, 36tî.-S.O. Lens bat J.S.O. Liévin, par forfait. tl.S.O. Lens 1B bat J.S.O. Véndin 1B par forfait. District Nord. — A. Lillers, 15; U. S.O. St-Pierre, 27. S.O. Mazingarbe, 81; S.O. Bruay, 56; J.S.O. Douvrin, 19; : S.O. Sains, âS. A. Lillers 1B bat U.S. . O. Saint-Pierre 1B par forfait. A. Liî; lers minimes, 19; U.S.O. Saint-Pierre minimes, 12. ; ROUSSILLON Ping-pong 'AU S.G.O. PERPIGNAN Les rencontres disputées ont permis d'affirmer l'accession du' S.C.O.P. ait , iiivéatt des meilleurs. ; A Baho, nos représentants s'inclii raient par 7 victoires à 4; mais il pro( iraient, le 7 novembre, une éclatante revanche en. la défaisant par 11 à 7. ] Le 0 octobre, le Racing, était battu, j Chez lui, 9 matches à fi et ne triom; pliait sui match retour que par 5-4. i Le i;-! octobre, Pézillà battait lê S.C. j D.P., 8 a 3; nos joueurs gagnaient à 1 Perpignan 8 à 6. La belle se terminait ( far un résultat, mvl, 5-5. i Le 17 octobre, le S.C.O.Pbattait ie &lt; Juniors F.P.C. pai7 victoires à 3. ( Le 14 novembre, lé Raquet's'inclinait i liâr 8 à 4, èt iè Yi, en match-belle, le &lt; Racing P.P.C. subissait le même sort i par 7 à 6. Nouvelles de partout Football GhÉS les pros Le championnat de France Strasbourg bat Red Star 5-2; Racing bat Marseille 5-1 ; Antibes ét Mulhouse,, nul, 1-1; SochaUX bat Lille 5-2; Excel-" sior bat Cannes 2-0; Alês et Montpellier, nul, l-l; Sète bat Rennes 2-0; Fives bat Nîmes 8-1; Roubaix bat Tourcoing 2-0; Calais bat Bastidienne 7-3; Metz bat Le Havre 3-1; Liens bat StServan 3-1; Villeurbanne bat Caên 5-4; Amiens bat Club Français 4-0. A l'issue de cette 14e journée, Strasbourg mène arec 2-3 points devant S0 informations chaux (22), Racing Paris (21), ,Canne3 et Excelsior (17)'. — Pour le championnat de Paris, Montreuil bat Stade Français 6-2; C.A. lie bat J.A. St-Ouen G-3; Stade Olympique de l'Est bat Stade de l'Est 2-0; A.S. Amicale et C.A.S.G. 2-2. Rugby Le challenge Du Manoir l.e derby parisien est revenu au Stade Français battant à Buffalo, le R.C. France par G-3; Grenoble et Carcassonne, nul, 0-0; Pau bat Perpignan 0-3; Agen et Àlbi, nul, 3-3; Toulon bat Tarbes 21-11; Montferrand bat Béziers 11-6; Toulouse bat Bègles 15-7; Biarritz et Périgueus, nul, 3-3. L'AS. Montferrand est en tête de la poule A devant l'AV. Bayonnaia efc Tarbes. Dans la poule B, Perpignan mène suivi par Pau et Stade F-A ■H. — Chez les Treize, Pau a battu Perpignan 13-1G et Bordeaux a défait Roanne 12-3. Cyclisme Au Tel' d'Hiv' Grand Prix du Conseil municipal de vitesse Première demi-finale. — 1. Michard; 2. Honemtfn, ù 1 long.; 3. ICergoff. Dernier tour : 14" 4-5. Deuxième demi-finale. — ï. Jôzo;] 2. Gérardin, û. 15 centimètres; 3. Levet. Dernier tour : lo" 4-5. Troisième demi-finale. — 1. Sclierens; 2. Lenté, îi 1 roue; 3. A. Sérôe. Dernire tour : 16". Finale. — 1. Michard; 2. Scherens, à une roue; 3. Jézo, à 1-2. Dernier tour: 15" 2-5. Jézo mène doucement le premier tour et n'accélère à la cloche. Dans les demlerd mètres, Michard le remonte pour gagner de peu. Sdheretts, légèrement gêné, ne peut terminer que second. Grand Prix dii Con-sèil municipal de demi-fond 1. LâCQUehay; 2. Grassin; 3. Krewer; 4. Moeller. Francis FaurciKergoff ont enlevé las course de tandems. La course de côte de la Turbie Le classement : 1. VeTzelli, en 20' 27" 1-5 (record battu) ; 2. Glorgietti, 20' 43" 1-5; 3. Neri, â 20 m.; 4. Pastorelli, à 25 fit.; 5. Rollâûd; 6. Adami;| 7. Bodinô; 8. fiibero; 9. Salomon; 10. Suozzi11. CaVeO 12. Filâni; 13. Blanchi, etc... — Chez les « cyclo-pédestré » le Beige Vérmaseen a remporté une nouvelle victoire devant Santiti et Anselme. Athlétisme Samedi à Jéan-Bouin, sur 2.000 mètres, Rôchard a bâttii Keller de 15 mètres, j Boxé LA. Bàrcàlone, Freddie Miller a été) déclaré vainqueur de Gironès, disqualifié au 5ê round pour coup bas, jusqua là l'Espagnol avait largement dominé. — A Buenos Aires. Carnera a difficilement bàttù Catnpolo. S Crow-country Le challenge Pesch 1. Dressiis (S.A. Valmy) ; 2, MorleÉ ÏA,g. Versailles); S. Carton (CjS. ChatilJôn); 4. Blankendoen;5. Ohesneau ;! 6. Chavoit; 7. Maurice; S. Foùche; Bade; 10. Diicher. bassement par équipes î Amicalé; 2. S.AJ?.; 3. O.S. CîiâtiHon^ 4. A.-S. Versailles. Lutte Voiéi les nouveaux champions de lut*r [tê libre, proclamés à la suite des rencontres disputées au gymnase .Tapi'. Poids coq : Iniquez; poids plumé1'? Van Herpe; poids légers..! Dillles ;i poids mi-moyens : Moilet ; . poids moyens : Jemilin; poids mi-lourds .sj Boaazzat; poids lourds : Glievaext. Hockey I^a sélection française a battu îe Colonial H.C. par 2-0. Natation Les nageuses hollandaises à Paris 100 m. dos. — 1. Mlle den Oudefl (R.D.Z.), 1' 20" 4-5; 2. Mlle Th. Blondeau (M.), 1' 25" 4-5; 3. Mlle Timmerniann. I! 100 m. brasse. — 1. Mlle Brouwei's (R.D.Z.), 1' 30" 1-3; 2. Mlle Guth (ColTnar), 1' 34" 4-5; Mlie Smith. ■200 m. — 1. Mlle den Ouden (R.D« 52.), 2' 33" 4-5; 2. Mlle Timmermaniï (R.D.Z.), 2' 43"; 3. Mlle Salgado (M.), îtelais ùi'fiG m. 3 nages. — 1. Mouet» tes, 1, 2' 35"; 2. Rotterdam, 2' 35" 4-5. Les droits des clubs Une société est, depuis dix-huit ans, locataire d'un terrain loué â bail. Cette période Êi la veille de se terminer, le propriétaire refuse de faire un nouveau bail. La société, menacée de disparaître, a décidé de poursuivre l'expropriation par l'intermédiaire du conseil municipal de là commune. Pour cela, elle invoque les dispositions dé la loi de février 1823. Sur cette question, le conseil municipal a délibéré favorablement. La Ville peut devenir propriétaire du terrain exproprié et peut le louer à la société pour Un bail de 18 ans (maximum prévu par 1a loi). Le stade fait alors partie du domaine communal et la commune peut être intéressés? sur les bénéfices de l'exploitation. FUSION Le monde sportif qui ne s'occupe qua de ses petites querelles et de ses jolis mignons de champions ne se doute pas de ce qui vient de lui tomber sur la dos. L'incident s'est produit dimanche, i&lt; la suite de deux Congrès tenus simultanément. Le premier intéressait la Fédération sportive dit Travail, le second! l'Union des Sociétés sportives et gymniques du Travail. Les deux organisa* tions, se référant aux partis populaire^ qui ont céssé de se faire la guerre, sportifs socialistes et communistes ont dé. eidé de mettre en commun leurs efforts. On devine la force que Ce rassemblement peut représenter. D'autant qu'il est possible que la Fédération des oeuvres laïques adhère à ce mouvement. Lés temps sont-ils révolus ? Et vaton voir se dresser devant les fédéra, tions plus où moins commercialisées uni bloc puissant constitué par les sportifs cle la foulé, les petits, ies modestes, ceux à qui on ne pense que pour les exploiter aux tourniquets des gtades payants ? Le tournant est sérieux. Des mécontentements existent du côté des fédérations sportives. Les maladresses du gouvernement, l'apathie des pouvoirs publics ont creusé un fossé. Si le mouvement sportif travailliste ne commet pas d'erreurs de tactique, c'est-à-dire s'il ne se précipite pas aveuglément et tout de go dans la bagarre politique, il a sa chance. Une très grande chance, capable d'à? cli o ver la décomposition de quelques sports officiels qui ont dégoûté tout W inonde. (Le Petit Courrier,) V ' SPECTACLES Mam'zelle Nitouche au Trianon-Lyrique Inutile, n'est-ce pas, de retracer Ici toutes les péripéties amusantes de la nuit où Mlle Denise de Flavigny, la meilleure élève du sévère couvent des Hirondelles se rend seule au théâtre avant de prendre le train pour Paris, remplace au pied levé et avec succès l'étoile de la tournée, s'en va souper clandestinement au mess des officiers, endosse au petit matin la livrée militaire, fait cocassement l'exercice à la i caserne avant de rentrer au couvent, I en sautant le mur. Il est vrai que le I chaperon de cette Nitouche est digne d'elle, puisqu'il est à la fois M. Célestin professeur de chant du couvent, et M. Floridor, auteur de l'opérette que Mam'zelle Nitouche a voulu voir avant de partir pour Paris. Mais nos lecteurs connaissent certainement cette charmante opérette d'Hervé. que le cinéma a, d'ailleurs, popularisée. Disons seulement que M. Louis Masson. en reprenant pour une quinzaine « Mam'zelle Nitouche » au TrianonLyrique, n'a reculé devant aucun sacrifice, puisque : Floridor, c'est Célestin, Celestin, c'est Floridor. mais c'est aussi Boucot qui joue le double rôle avec la fantaisie endiablée qui n'appartient qu'à lui. Mam'zelle Nitouche, c'est Mine Nadia Haut y. Nous l'excuserons de ne pas savoir ■bêtifier, à cause de sa voix ample et "bien posée qui se prête avec bonheur et souplesse tour à tour aux airs religieux, militaires et aux chansonnettes. Ces deux acteurs sur qui repose toute l'opérette sont bien entourés : Popino campè un cocasse major et Max de Rieux l'officier distingué qui épousera Mam'zelle Nitouche, redevenue Mlle de Flavigny. Mme Simone Masson est charmante à regarder. Marthe DEUZEL. COurrieR — Cirque Amar &lt;métro Maillot), — Ce soir, à 20 h. îû, première du premier programma de sala aveû 20 attractions : 24 poneys de Jootmann, Reçha, le grand illusionniste russe, le fil dé la mort au-dessus de la cage aux lions, 3a cavalerie de M. André rancy, etc... THEATRES Opéra : 20 h. 15, Roland et le mauvais garçon. Comédie-Française : 20 h. 30, Martine. Opéra-Comique : Rél&amp;che. Odéon : 20 h. 30, Les Femmes savantes. Ambassadeurs : 21 h.. Miss Ba. Athénéd : 20 h. 45. Tessa. Atelier : 20 h. 45. Ropallnde. Bouffes-Parisiens : 20 U. 45. Toi c'est moi. Capucines : 20 h. 45, La Dame aux gants verts. Châtelet iO n. 30. Rose de France. Comédie des Champs-Elysées : 21 h.. Chaud et Froid. Gatti-t/urique : 20 h. 40, Coups de roulis. Mat. Jeudi, sam. et dlm., a 14 h. 30. Grand-Guignol : 21 U., Cinq millions cash ; Dana la zone rouge ; Celle qui revint. Gymnase : 20 h. 45. L'Espoir. Madeleine : 21 h., Le Nouveau Testament Slarigny : 20 h 4S. L'Ecole des Contribuables. Mathurins : 20 h., Sainte Jeanne (Pi toëff). Michel-.: 21 h., Azaïs. Michoâière ; 20 h. 80, Les Vignes du Seigneur. Mogador : 20 lr. 30, La Vie parisienne. Nouveautés : 20 h. 80. Les Soeurs Hortensias. Nouvelle-Comédie : 21 b., L'Eté. L'OEuvre : 31 h., Une femme libre. Palais-Royal .* 21 h.. C'est vous que je veux. l'orte-Salnt-Martin : 20 h. 45, Les Mousquetaires au couvent. Saint-Georges : 20 b45. Le Discour» des prix. Sarah-Bemhardt : 20 h. 30. Sajpho. Th. (les Champs-Elysées : 21 h., Récital Molstein. Th. Montparnasse : 21 h., Prospçr. Th-'ltre de Paris : 21 h.. Tovaritch. iTr'anon-Lyriquo : 20 h. 45, Mam'zelle Nitouche. Variétés : 21 h.. Revus de Rip. MUSIC-HALLS CIRQUES CABARETS A. B. C. : X. X. Z.. revue de Colline et Dorin. Alcazar : 20 h. 30, La Revue nue. JSoblno : 20 h. 30. Georgius. Casino de Paris : 20 h. 30. Parade de France. Cirque Amar : 20 h. 30. Mat. J.S.Dim. Cirque d'Hiver : Les quatre frères Bouglione. Tous les soirs à 20 h. 30. Matinée ieudi, samedi et dimanche, à 14 h. 30. Detix-Anes : 21 h., En sella pour la revue. Folies-Bergère : 20 h. 30. Femmes en folie (revue nouvelle). Folies-Wagram : Lo phoque Aqua. Humour : 31 h., On aura tout vu! Mayol : 20 U 45 : Nu 34 (grande revue) Ma*, sam.. dlm. lundi. iledrano . 21 h., Alfredos, Kohler, Rud's Grasl, etc. Mat J.S.D. yoctambules ' : Chansonniers. Potinière : Relâche. Sea,la : 15 h. et 21 h-, Frank Pichel. etc... yhéâtre de Dix-Francs : 21 h., La Revue do Jean Bastia. CINEMAS Alhambra : Les Compagnons de la Nouba. Agriculteurs • Angèle. lipolto . Dames ; Franc jeu. 'Aubert : Blossom time . The Eowery, Bellevllloie : 20 h. 45. Okralna. Champs-Elysées : Ce n est pas un pêchë. Club d'Artois : lia Chasse du comte Zaroff. Colisée : Alderaaï aviateur. fioncordia : La Grande Muraille (Permanent 14 à. 10 h., soirée 20 h. 45. Çinémn Edouard-Vil : Comme les grands (sous réserves). Elysée Gaumont : Juif Suss. Ermitage : La Chanson de l'adieu. Gaumont-Palaeo : L'Ecole des Contribuables. Ziord Bj/ron : Le Tricorne, jMadeleine : Tarzan et sa compagne. Marbeuf .• Hollywood Party (Laurel et Hardy). Max-lAnder • L'Orage. Miracles : Marie galante. Olympia : Jeanne Panthéon : Petite Miss, Uns Femme diabolique. Paramount : Cléopâtre. Jînspail 216 : 14 h. 30 16 h. 30. 20 h. 30. 22 h. 30, Filles d'Amérique ; Affaire publique. Jlcx : Maître Bolbec et son mari. Studio Bertrand (29, rue Bertrand) : Kayak. Studio de l'Etoilo : Mascarade. . Studio Caumartin : Tourbillon. Studio Baussmann : Une nuit seulement. Studio Parnasse : Jeunesse bouleversée. Studio Universel : La Boule Rouge. Studio 2S : Parade du rire (W.C. Field). {Théâtre de l'Avenue: Une enquête est ouverte. VrsuHnes : XXe siècle (Train de luxe). y i vienne : La Banque Nemo. CINEMAS PATHE-NATAN Barbés : Si j'étais le patron. Capitole : Si j'étais le patron. fieniours : Une femme chipée. JJousor-Pathé : Si j'étais le patron. hutétia j Une femme chipée, Lyon-Pathé Si j'étai3 le patron. Métropole-Pathé : Si j'étais le patron. Montparnasse : La Dactylo se marie. Mozart : Une femme chipée. Pathé-Orléans : La Dactylo se marie ; Les Bleus de la Marine. Récamier-Pathé : La Dactylg se marie. Roehechouart : Si j'étais le patron. Saint-Marcel : Chansons de Paris ; Malacca. Select : Une femme chipée. Sèvres : L'Impératrice Rouge. CINÉMAS PÂTHE NATAN MARiVAUX TARTARINtTARASCON MA RlGN A N LES NUITS MOSCOVITES MOULIN-ROUGE SIDONIE PANACHE Époques) Il IMPERIAL UN HOMME EN OR VICTOR HUGO SYMPHONIE INACHEVÉE ROYALTROI/ OE LA MARINE OMNIA CINÉ INFORMATIONS ACTUALITÉS MONDIALES VERS L'IGUÀSSU Passez votre après-midi p. 4 f. au où voua aurez luxe et confort f£t Rn'Vvar et l -Jaurès» A l'écran : Marlêne DIETR1CH, John LODGE, dans L'impératrice rouge Armand BERNARD, dans L'école des auteurs Sur scène : le trio Laureyn's. comédie sportive. Salle de 2.000 place* Métro: Beauiçr T«1. V*ae 21-41 A l'écran : MOSJOUKINE, Tania FEDOR, dans L'ENFANT DU CARNAVAL A. PREJEAN, D. DARtEUX. dans La crise est finie Sur scène : Les 4 ours de Berg, dressage sensationnel. Le Greluchon délicat Gaby MORLAY, Henri ROLLAN, dans LE MAITRE DE FORGES Sur scène : Fçed GOÙIN, la célèbre vedette de la T.S.F. SYNDICATS Réunions d'aujourd'hui Boucherie de Paris. — 14 h., salle fernand-Pelloutier. Syndicat général des hôpitaux. — 1S h., commission 1er étage. T.M. personnel administratif. — 18 h. 2e étage. Trav. de l'Etat Artillerie. — 0 h.. 3e ët. Fédération des coiffeurs. — 21 li„ 5e étage. Dans les T.C.R.P. — Nos camarades délégués doivent prendre toutes dispositions pour assister au comité fédéral extraordinaire, vendredi 7 décembre salle Eugêne-Varlin, Bourse du Travail à 20 h. 30. Maçonnerie-Pierre. — Conseil syndical mercredi 5 crt 17 li. 30, bureau 20, Ee étage, Bourse du Travial. Hippisme HIER A AUTEUIL PRIX DE LA TAMISE 1. Vive la Joie (R. Bâtes) ....G lp » à, M. A. Bérard !P S » 2. Fléchette (J. Driancourt) ,.P 14 50 3. Pilali (H. Bonneau) P 13 50 PRIX DE BOULOGNE X. El Baisai (R. 'Butes) G 42 » au comte de Rivaud P 11 50 2. Tako it Ail (R. Dubus) ....P 16 50 3. Porto Veine III (E. Look) PS» PRIX MAUBOURGUET 1.. nark Martel CH. Gleizes) ..G S-3 50 à M. C. Perrin P 18 50 h. Millionnaire II (A. Chaulï.) P 0 50 3. Espalion (R. Dubus) P 10 50 PRIX AUGUSTE MERLE 1. Diplomate (A. Kalley) G 37 » i M. Ed. Crowninsh P 13 GO 2. Voilà (R. Dubjs) P 16 » 3. Sllvano (M. Dallen-) 'P 32 50 PRIX REUGNY 1. Sunspot (G. Cei-vo) G 26 s à M. E. Brochot P 12 50 2. El Demonio CL. Nlaudot) ..P 10 50 PRIX VANILLE 1. Gracc'ius CJ. Teasdale) G Ï4. » au baron ,T. Empain P 11 50 2. Vasistas (H. Brierre) P lî 50 Aujourd hui q Vincennes cONVOCAtions Parti Socialiste S.F.I.O ORGANISATIONS CENTRALES COMMISSION NATIONALE DES ; CONFLITS. — Réunion mercredi 5 décembre à 20 h. 45, au siège du Parti, -iLe secrétaire : A. Jamin. FEDERATION DE LA SEINE COURS D'ORATEURS Le premier cours aura lieu ce soir lundi 3 décembre, rue Rodier, à l'S. 11. 30. Attention â l'heure. Un -.es sociétaire? . Rot crt Dupont. ECOLE SOCIALISTE Mardi 4 décembre, il 21 n. Hotél des Sociétés Savantes, 28. yi&gt;' Serpente, amphithéâtre D), leçon d'ouverture de Paul Faure. Entrée 2 francs. Abonnements pour la saison. Adultes : 15 fr. membres des Jeunesses socialistes. 7 fr. La secrétaire : Suzanne Buisson. Seine AUJOURD'HUI : FEDERATION" DE LA SEINE Commislon de ratification des candi| datures. — Réunion ce soir 3 décembre 19 heures. 12, -rue Feydeau. — La secréj taire: Andrée Marty-Capgras. j COMITE FEDERAL FEMININ. — ] Réunion cè soir 3 décembre, à. 21 heures J 12. rue Feydeau. , j 10e. — Permanence au siège à 21 h. pour retirer ou régler cartes do la rete du S décembre.. CLICHY. — Lés membres de la section n'ayant pas répondu à la circulaire individuelle qu'ils ont reçue, sont avisés aue le secrétaire se tient à leur disposition tous les soirs 18 li. 30, à la permanence. Urgent et important. U. D. S. canton CHARENTON. — A 20 li. 45, C.E. Chez Bordes. Présence indispensable. MANTES-LA-VILLE. — 20 h. 30, café Marcel, Mantes-la-Ville. PROCHAINES REUNIONS : JOINVILLE-LE-PONT. — -Réunion de section café Boistard 8 h. 45, le -S décembre. Vote relatif au Conseil fédéral. Seine-et-Oise PROCHAINES REUNIONS : FEDERATION DE SEiNE-ET-OISE Commission fédérale des conflits. — Mardi 4 décembre, heures indiquées sur convocations individuelles. Présence indispensable. Très important. CHATOU. — Réunion mardi 4 décembre heure et lieu habituels. Le Coin des Jeunes AUJOURD'HUI : GROUPE de PARIS des ETUDIANTS SOCIALISTES. — Réunion bureau ce soir à 21 heures. 2c. — Distribution de tract 12 li. 15. lieu convenu. 16e, 21 h., 2S, rue de l'Annonciation. Man. Com. Journal fédéral. BOULOGNE BILLANCOURT. — A 20 h. 30, réunion anc. Mairie, conférence par camarade journaliste sur 6 février STMANDE VINCENNESFONTENAY. — Pas de réunion du groupe ce soir. Prochaine, lundi 10 décembre. FETES ET REUNIONS PUBLIQUES 10e SECTION. — Samedi S âêc mbre grande soirée artistique suivie de bal de nuit salle Albouy, 37, rue Albouy orchestre de l'Harmonie fédérale, choeur du groupe artistique fédéral. Mlle Madeleine Mathieu et M. Hubert-Audoin de l'Opêra-Comique, Mlle Fanély Revoll de la Porte Saint-Martin, M. Mas de Rieux. de l'Odéon, M. Alex Barthus des Variétés et M. Ruquet, de l'Alcazar ainsi qu. nos camarades Beyer et Cazale. On trouve des cartes à la fédération et au concierge 37. rue Albouy. 15e SECTION, — Une date A retenir: le 16 décembre à 9 li. 30, en séance privée, dans salle du cinéma du casino de Grenelle projection du beau film d'Eisenstein : Tonnerre sur le Mexique. Cartes d'invitations ù partir du 7 décembre chez M. Pivert 16. rue EugèneGibez, Tél. Vaug. 68-47. 13e SECTION. — Le 13 décembre, grande manifestation au Moulin de la Galette et, en conséquence, la section demande à. tous de réserver cette date Concours assuré' de l'Harmonie fédérale. Zyromski, Léo Las range, Chabrier, Yvonne Demême, Braudo. 20e JEUNESSES. — Le groupe organise le 9 décembre une matinée dansante avec orchestre. Le groupe « Révolution » et les Faucons, rouges assureront une partie des intermèdes. Tous chez Bayle, 4, place Saint-Fargeau le 9 décembre. a 14 heures „ „ , ,. MANTES-LA VILLE. — Un bal de nuit, a grand orchetre est organisé a. Mantes-la-Ville, le S' décembre prochain à 21 heures, salle Levasseur, route de Hou dan, par la section S.F.I.O. A minuit aura lieu le tirage de la tombola gratuite et la distribution d accessoires de cotillon. La section espère aue te bal sera assuré d'un grand succès et que les camarades des sections voisines, se feront un devoir d'y assister nombreux. Prix d'entrée unique, S fr. MONTRoUGE. — Demain 4 décembre a 21 h.,'au Modem-Cinéma, avenue de la République aura l'eu un grand meeting socialiste avec la collaboration de J. Longuet, Farinet, Marceau. Pivert et desphilippon ijii parleront de la « crise economique et des solutions socialistes ». La section dé Montrouge compte tout particulièrement sur l'appui de tous les camarades. Nos deuils PANTIN. — Assistez aux obsèques de la citoyenne Blanche Chèvre, femme du camarade Chèvre, décédée accidentellement. Rendez-vous cimetière communal de pantin, aujourd'hui a 15 li. précises. VILLEPARISIS. — Nous apprenons le décès du père de notre camarade Le Tiec, de la section des jeunesses de Villeparisis. Nos condoléances attristées. Centre Confédéral d'Education Ouvrière 211, rue Lafayette. Paris-lOe. A 19 heures : cours d'économie, avec L. Làurat. A 20 h. 30 : cours de français, avec E. Lefranc; cours d'économie : « Théorie des crises », avec L. Laur.at. A 22 heures : journal parlé, avec G. Lefranc. COMMUNICATIONS DIVERSES CONFEDERATION de défense; du Petit Commerce «t. da l'Artisanat. — Contre les décrets-lois, les saisies et les ventes, réunions publiques 20 h. 30, salle de conférences a Ivry. Orateurs : Ventroux et Lacour et a 20 h. 30, salle de la mairie, à Bezons. Orateur : Bidoux. CERCLE D'ETUDES MARXISTES. 32, rue Rodier. débat-étude sur « La 39, rue Rodier, débat-étude sur « La Théorie de la vàleur et l'économie mixte ». Introduction de la discussion par L. LaUrat. Le aérant : G.-A. Bernard. Société Nouvelle ces Imprimeries Parisiennes Réunies Ed. FUZAT, Imp. 10, rue du Ffe-Montmartre RECOMMANDE AUX FAMILLES ACTION SOCIALISTE ♦ Réunion consacrée à l'unité politique du prolétariat ♦ AUJOURD'HUI 3 décembre, ♦ à 80 h. 30. SALLE ALBOUY, ♦ 37, rue Albouy (10e arr.). ♦ Un orateur de l'« ACTION ♦ SOCIALISTE », exposera la ♦ position de ce groupement ♦ sur cette importante ques ♦ tion. — Ont été invités les ♦ représentants des prinoipa ♦ les tendances du mouvement ♦ prolétarien. V Participation aux frais: 2 fr. La carte du Parti sera exigée à l'ontrée. Radio *Tt r rn i f""**— VOUS ENTENDREZ DEMAIN Ï Radio-Paris (1.64-8 m., 75 kv.). — 6&gt; 45 : Culture physique. 7 heures : Disques. 7 11. 15 : Presse. Météo. 7 h. 45 : Culture physique. 8 heures : Disques. ii2 heures : Concert symiphonique. 13 n. 20 et 16 heures ; Cours. 16 h. 30 : Anglais. 18 h. 10 : Météo. Commun, agr. Causerie. 1S h. 30 : Causerie. l'S h. 40 : Allemand, lfl heures : Dialogne. 19 h. 20 : Presse humoristique. 19 h. 30 : La vie pratique. CO heures : Mélodie française. 20 h. 40 ; Presse. Météo. 20 h. 55: Musique de chamibre. 21 h. 15 : Inform. Chron. sport. 22 h. 30 : Dancing. Tour Eiffel (1.380 ni., 15 lw.). — 12 heures 30 : Paris-P.T.T. 13 heures : Cours. 13 h. 13 : Inf. 13 h. 30 : Chron. agric. l'3 h. 40 ; Travail. 1-3 h. 50 : Chron. économ. 14 heures : Cours. Chron. des sciences. 14 h. 30 : Cours. Inf. 14 h. 45 : Concert. 15 h. 45: Cours. 16 heures : Tourisme. 16 h. 10 : Chron. litt. 16 h. 20 : Cours. 17 h. 45 : Journal. 18 heures : Magazine. 18 h. 30 : Théâtre. 18 h. 45 : Actualités. 19 h. l'S : Météo. Courses. 10 h. 30 : Histoire de la sonate. 20 heures : Histoire de l'Art. 20 h. 15 : Politique lntér. 20 h. 30 : IUparisS.T.T. (431 m. 7, 7 lîw.). — 8 h.: Presse. 11 heures : Lyon. 12 heures : Tourisme. 12 h. 15 : Toulouse. 14 hï D'stfuos. 14 h. 2-0 : Petites pièces. 14 li. 45 : Coloniale. 17 h. 45 : Caus. économ18 heures : Demi-heure dramatique. 18 heures 30 : Journal. 10 h. 45 : Vulgarisation scientif. 19 h. .53 Union des grandes associations^ 20 heures : Mus. Scandinave. 20 h. 30 : Emission fédérale.
cel-02129939-MOCOM-EMARO-ARIA-M1-13_14-part-I-1.txt_3
French-Science-Pile
Various open science
Inverse geometric model of serial robots 63 Table 4.1. Types of equations encountered in the Paul method Type 1 X ri = Y Type 2 X Si + Y Ci = Z Type 3 X1 Si + Y1 Ci = Z1 X2 Si + Y2 Ci = Z2 Type 4 X1 rj Si = Y1 X2 rj Ci = Y2 Type 5 X1 Si = Y1 + Z1 rj X2 Ci = Y2 + Z2 rj Type 6 W Sj = X Ci + Y Si + Z1 W Cj = X Si – Y Ci + Z2 Type 7 W1 Cj + W2 Sj = X Ci +Y Si + Z1 W1 Sj – W2 Cj = X Si –Y Ci + Z2 Type 8 X Ci + Y C(i + j) = Z1 X Si + Y S(i + j) = Z2 ri: prismatic joint variable, Si, Ci: sine and cosine of a revolute joint variable i. 4.3.2. Special case: robots with a spherical wrist Most six degree-of-freedom industrial robots have a spherical wrist composed of three revolute joints whose axes intersect at a point (Figure 4.1). This structure is characterized by the following set of geometric parameters: d5  r5  d 6  0    4  5   6  0 S  0,S  0 (non  redundant robot) 6  5 The position of the center of the spherical joint is obtained as a function of the joint variables q1, q2 and q3. This type of structure allows the decomposition of the six degree-of-freedom problem into two equations each with three unknowns. They represent a position equation and an orientation equation. The position problem, which is a function of q1, q2 and q3, is first solved, then the orientation problem allows us to determine 4, 5, 6. 64 Modeling, identification and control of robots C4 C3 C2 C5 C6 O4, O5, O6 C1 C0 Figure 4.1. Six degree-of-freedom robot with a spherical wrist 4.3.2.1. Position equation Since 0 P6  0 P4 , the fourth column of the transformation matrix 0T4 is equal to the fourth column of Ud0:  Px  0   Py      = 0 T 1T 2 T 3T 0  1 2 3 4  Pz  0      1 1  [4.9] We obtain the variables q1, q2, q3 by successively premultiplying this equation by jT0, j = 1, 2, to isolate and determine sequentially the joint variables. The elements of the right side have already been calculated for the DGM. 4.3.2.2. Orientation equation The orientation part of equation [4.2] is written as: s n a  0 R 6 (q) yielding: 3 R 0 (q1 , q 2 , q3 ) s n a   3 R 6 (4 , 5 , 6 ) which can be written as: F G H   3 R 6 (4 , 5 , 6 ) [4.10] Inverse geometric model of serial robots 65 Since q1, q2, q3 have been determined, the left side elements are considered to be known. To obtain 4, 5, 6, we successively premultiply equation [4.10] by 4R3 then by 5R4 and proceed by equating the elements of the two sides. Again, the elements of the right side have already been calculated for the DGM. • Example 4.1. IGM of the Stäubli RX-90 robot. The geometric parameters are given in Table 3.1. The robot has a spherical wrist. The DGM is developed in Chapter 3. a) Computation of 1, 2, 3 i) by developing equation [4.9], we obtain:  Px  C1(S23RL4  C2D3)  P     y    S1(S23RL4  C2D3)   P   C23RL4  S2D3   z   1  1    Note that the elements of the right side constitute the fourth column of 0T6, which have already been calculated for the DGM. No variable can be determined from this equation; ii) premultiplying the previous equation by 1T0, we obtain the left side elements as: U(1) = C1 Px + S1 Py U(2) =  S1 Px + C1 Py U(3) = Pz The elements of the right side are obtained from the fourth column of 1T6: T(1) =  S23 RL4 + C2 D3 T(2) = 0 T(3) = C23 RL4 + S2 D3 By equating U(2) and T(2), we obtain the following two solutions for 1: 66 Modeling, identification and control of robots 1,1  atan 2(Py , Px )  1,2  1,1   iii) premultiplying by 2T1, we obtain the elements of the left side as: U(1) = C2 (C1 Px + S1 Py ) + S2 Pz U(2) =  S2 (C1 Px + S1 Py ) + C2 Pz U(3) = S1 Px  C1 Py The elements of the right side represent the fourth column of 2T6: T(1) =  S3 RL4 + D3 T(2) = C3 RL4 T(3) = 0 We determine 2 and 3 by considering the first two elements, which constitute a type-6 system of equations (Table 4.1). i) equating the elements of [ F G H ] = 3R6 The elements of 3R6 are obtained from 3T6, which is calculated for the DGM: 3  C6C5C4  S6S4 S6C5C4  C6S4 S5C4  R 6   C6S5 C5  S6S5  C6C5S4  S6C4 S6C5S4  C6C4 S5S4  68 Modeling, identification and control of robots We can determine 5 from the (2, 3) elements using an arccosine function. But this solution is not retained, considering that another one using an atan2 function may appear in the next equation s; ii) equating the elements of 4 R 3  F G H   4 R 6 The elements of the first column of the left side are written as: U(1, 1) = C4 Fx  S4 Fz U(2, 1) =  C4 Fz  S4 Fx U(3, 1) = Fy The elements of the second and third columns are obtained by replacing (Fx, Fy, Fz) with (Gx, Gy, Gz) and (Hx, Hy, Hz) respectively. The elements of 4R6 are obtained from 4T6, which has already been calculated for the DGM: 4  C6C5 S6C5 S5 R 6 =  S6 C6 0   C6S5 S6S5 C5  From the (2, 3) elements, we obtain a type-2 equation in 4: – C4 Hz – S4 Hx = 0 which gives two solutions: 4,1  atan2(H z , H x )  4,2  4,1   5: From the (1, 3) and (3, 3) elements, we obtain a type-3 system of equations in  S5 = C4 H x  S4 H z C5 = H y whose solution is: 5 = atan2(S5, C5) Inverse geometric model of serial robots 69 Finally, by considering the (2, 1) and (2, 2) elements, we obtain a type-3 system of equations in 6: S6 =  C4 Fz  S4 Fx C6 =  C4 G z  S4 G x whose solution is: 6 = atan2(S6, C6) NOTES.– By examining the IGM solution of the Stäubli RX-90 robot, it can be observed that: a) Number of solutions: in the regular case, the Stäubli RX-90 robot has eight solutions for the IGM (product of the number of possible solutions for each joint). Some of these configurations may not be accessible because of the joint limits. a) The robot has the following singular positions: i) shoulder singularity: takes place when the point O6 lies on the z0 axis (Figure 4.2a). Thus Px = Py = 0, which corresponds to S23RL4 – C2D3 = 0. In this case, both the two arguments of the atan2 function used to determine 1 are zero, thus leaving 1 undetermined. We are free to choose any value for 1, but frequently the current value is assigned. This means that one can always find a solution, but when leaving this configuration, a small change in the desired location may require a significant variation in 1, impossible to realize due to the speed and acceleration limits of the actuator; ii) wrist singularity: takes place when C23(C1ax + S1ay) + S23az = Hx = 0 and (S1ax – C1ay) = Hz = 0. The two arguments of the atan2 function used to determine 4 are zero. From the (2, 3) element of 3R6, we notice that in this case C5 = ±1. Thus, the axes of joints 4 and 6 are collinear and it is the sum 4 ± 6 that can be determined (Figure 4.2b). For example, when5 = 0, the orientation equation becomes:  C46 S46 0   3 F G H R   0 1    6  0  S46 C46 0  Thus, 4 + 6 = atan2(–Gx, –Gz). We can arbitrarily assign 4 to its current value and calculate the corresponding 6. We can also calculate the values of 4 and 6 for which the joints 4 and 6 move away from their limits; 70 Modeling, identification and control of robots iii) elbow singularity: occurs when C3 = 0. This singularity will be discussed in Chapter 6. It does not affect the inverse geometric model computation (Figure 4.2c). b) The above-mentioned singularities are classified as first order singularities. Singularities of higher order may occur when several singularities of first order take place simultaneously. c) Number of solutions: in the regular case, the Stäubli RX-90 robot has eight solutions for the IGM (product of the number of possible solutions for each joint). Some of these configurations may not be accessible because of the joint limits. O4  O6 z0, z1 z0, z1 O3 z3 O2 z5 z3 z2 O2 O6 z2 z4, z6 a) Shoulder singularity (Px = Py = 0 or S23RL4 – C2D3 = 0) b) Wrist singularity (S5 = 0) z5 z0, z1 O6 O2 z2 z3 c) Elbow singularity (C3 = 0) Inverse geometric model of serial robots 71 Figure 4.2. Singular positions of the Stäubli RX-90 robot 4.3.3. Inverse geometric model of robots with more than six degrees of freedom A robot with more than six degrees of freedom is redundant and its inverse geometric problem has an infinite number of solutions. To obtain a closed form solution, (n – 6) additional relations are needed. Two strategies are possible: – arbitrarily fixing (n – 6) joint values to reduce the problem to six unknowns. The selection of the fixed joints is determined by the task specifications and the robot structure; – introducing (n – 6) additional relations describing the redundancy, as is done in certain seven degree-of-freedom robots [Hollerbach 84b]. 4.3.4. Inverse geometric model of robots with less than six degrees of freedom When the robot has less than six degrees of freedom, the end-effector frame RE cannot be placed at an arbitrary location except if certain elements of 0TEd have specific values to compensate for the missing degrees of freedom. Otherwise, instead of realizing frame-to-frame task, we consider tasks with less degrees of freedom such as point-to-point contact, or (point-axis) to (point-axis) contact [Manaoui 85]. In the next example, we will study this problem for the four degree-of-freedom SCARA robot whose geometric parameters are given in Table 3.2. • Example 4.2. IGM of the SCARA robot (Figure 3.4). i) frame-to-frame contact In this case, the system of equations to be solved is given by equation [4.2] and U0 is defined by equation [4.5]: C123 S123  S123 C123 U d0 = 0 T4 =   0 0  0  0 0 C12D3  C1D2  S12D3  S1D2   1 r4  0 1  0 Examining the elements of this matrix reveals that frame-to-frame task is possible if the third column of the desired U0 is equal to [0 0 1 0]T. This implies two independent conditions, which compensate for the missing degrees of freedom. By equating the (3, 4) elements, we obtain: 72 Modeling, identification and control of robots r4 = Pz The (1, 4) and (2, 4) elements give a type-8 system of equations in 1 and 2 with the following solution: 2  a tan 2( 1  C22 , C2) 1 = atan2(S1, C1) with: C2  D 2 D 2  D22  D32 2D 2 D3 2 = Px + Py2 S1  B1Py  B2Px D C1  2 B1Px  B2Py D2 B1 = D2 + D3 C2, B2 = D3 S2 After determining 1 and 2, we obtain 3 as: 3 = atan2(sy, sx) – 2 – 1 ii) (point-axis) to (point-axis) contact Let us suppose that the tool is defined by an axis of unit vector aE, passing by OE such that: 4 PE = [Q x Qy Qz ]T 4 a E = [Wx Wy Wz ]T The task consists of placing the point OE at a point of the environment while aligning the axis aE with an axis of the environment, which are defined by: 0 d PE = [Px Py Pz ]T 0 d aE = [a x ay a z ]T Inverse geometric model of serial robots 73 The system to be solved is written as:         ax  ay  az  0 Px    Py  0    T4  Pz    1     Wx  Wy   Wz 0 Qx  Q y  Qz   1  After simplifying, we obtain:  Px   Q x C123  Q yS123  C12D3  C1D2       Py    Q x S123  Q y C123  S12D3  S1D2  P    Q z  r4  z    a x   Wx C123  WyS123      a y    Wx S123  Wy C123 a    Wz  z   Thus, we deduce that the condition az = Wz must be satisfied to realize the task. The IGM solutions are obtained in the following way: – from the ax and ay equations, we obtain (1 + 2 + 3) by solving a type-3 system (Appendix 1): 1 + 2 + 3 = atan2(S123, C123) with S123  a y Wx  a x Wy Wx2  Wy2 and C123  a x Wx  a y Wy Wx2  Wy2 with ( Wx2  Wy2  0 ) ; – when Wx = Wy = 0, the axis of the end-effector is vertical and its orientation cannot be changed. Any value for 3 may be taken; – from Px and Py equations, we obtain 1 and 2 by solving a type-8 system of equations; – finally, from the third element of the position equation, we obtain r4 = Pz – Qz. In summary, the task of a SCARA robot can be described in one of the following ways: 74 Modeling, identification and control of robots – placing the tool frame onto a specified frame provided that the third column d d of the matrix 0T4 = 0TE E-1 = [0 0 1 0]T, in order to satisfy that z4 is vertical; – placing an axis and a point of the tool frame respectively onto an axis and a point of the environment provided that az = Wz. The obvious particular case is to locate a horizontal axis of the end-effector frame in a horizontal plane (az = Wz = 0). 4.4. Inverse geometric model of decoupled six degree-of-freedom robots 4.4.1. Introduction The IGM of a six degree-of-freedom decoupled robot can be computed by solving two sub-problems, each having three unknowns [Pieper 68]. Two classes of structures are considered: a) robots having a spherical joint given by one of the following four combinations: XXX(RRR), (RRR)XXX, XX(RRR)X, X(RRR)XX, where (RRR) denotes a spherical joint and X denotes either a revolute (R) or a prismatic (P) joint. Consequently, each combination results in eight structures; b) robots having three revolute and three prismatic joints as given by one of the following 20 combinations: PPPRRR, PPRPRR, PPRRPR, ... In this section, we present the inverse geometric model of these structures using two general equations [Khalil 90c], [Bennis 91a]. These equations make use of the six types of equations shown in Table 4.2. The first three types have already been used in the Paul method (Table 4.1). The explicit solution of a type-10 equation can be obtained symbolically using software packages like Maple or Mathematica. In general, however, the numerical solution is more accurate. We note that a type-11 equation can be transformed into type-10 using the half-angle transformation by writing Ci and Si as:  1 t2 2t and Si  with t  tan i Ci  2 2 2 1 t 1 t Table 4.2. Types of equations encountered in the Pieper method Inverse geometric model of serial robots Type 1 X ri = Y Type 2 X Ci + Y Si = Z Type 3 X1 Si + Y1 Ci = Z1 75 X2 Si + Y2 Ci = Z2 Type 9 a2 ri2 + a1 ri + a0 = 0 Type 10 a4 ri4 + a3 ri3 + a2 ri2 + a1 ri + a0 = 0 Type 11 a4 Si2 + a3 Ci Si + a2 Ci + a1 Si + a0 = 0 4.4.2. Inverse geometric model of six degree-of-freedom robots having a spherical joint In this case, equation [4.6] is decoupled into two equations, each containing three variables: – a position equation, which is a function of the joint variables that do not belong to the spherical joint; – an orientation equation, which is a function of the joint variables of the spherical joint. 4.4.2.1. General solution of the position equation The revolute joint axes m – 1, m and m + 1 (2  m  5) form a spherical joint if: d m  rm  d m 1  0  S m  0 S  m 1  0 The position of the center of the spherical joint is represented as: Om-1, Om-1 and O’m+1, where O’m+1 is the translation of Om+1 by . It is independent of the joint variables m-1, m and m+1. Thus, we can show (Figure 4.3) that the position of Om relative to frame Rm-2 is given by: d m 1     r S  m2   Pm 1 m 1 m 1  m-2 Tm+1Trans(z,  rm+1 )p0 =      1   rm 1C m 1  1   T m-2 Pm-1 is obtained using equation [3.2]. where p0   0 0 0 1 and [4.11] 76 Modeling, identification and control of robots zm-1 Om-1 xm+1 zm+1 Om zm Om+1 Figure 4.3. Axes of a spherical joint To obtain the position equation, we write equation [4.6] in the following form: 0 Tm  2 m  2Tm 1m 1T6  U 0 [4.12] Postmultiplying this relation by 6Tm+1 Trans(z, –rm+1) p0 and using equation [4.11], we obtain: 0  m  2P  m 1   U d6 T Tm-2  0 m+1Trans(z, -rm+1 ) p 0  1  [4.13] Equation [4.13] can be written in the general form: Rot(z, i) Trans(z, ri) Rot(x, j) Trans(x, dj) Rot(z, j) Trans (z, rj) f(qk) = g  1  1 [4.14] where: – the subscripts i, j and k represent the joints that do not belong to the spherical joint; i and j represent two successive joints; – the vector f is a function of the joint variable qk; – the vector g is a constant. By combining the parameters –qi and q–j with g and f respectively, equation [4.14] becomes: F (q k )  G  Rot/Trans(z,qi )Rot (x, j )Trans(x,d j )Rot/Trans(z,q j )  =   1  1 [4.15] Inverse geometric model of serial robots 77 with: • Rot/Trans(z, qi) = Rot(z, i) if qi = i = Trans(z, ri) if qi = ri Fx   F(qk) =  Fy  = Rot/Trans(z, –q ) f(qk) • j  1   Fz   1  1 Gx   G  Gy  = Rot/Trans(z, ––qi) g •  =  1   Gz  1 1 • Rot/Trans(z, –qi) = Trans(z, ri) if joint i is revolute = Rot(z, i) if joint i is prismatic The components of G are constants and those of F are functions of the joint variable qk. We note that if joint k is revolute, then: ||F||2 = a Ck + b Sk + c [4.16] where a, b and c are constants. Table 4.3 shows the equations that are used to obtain the joint variable qk according to the types of joints i and j (columns 1 and 2). The variables qi and qj are then computed using equation [4.15]. Table 4.4 indicates the type of the obtained equations and the maximum number of solutions for each structure; the last column of the table indicates the order in which we calculate them. In Example 4.3, we will develop the solution for the case where joints i and j are revolute. We note that the maximum number of solutions for qi, qj and qk is four. NOTE.– The assignment of i, j and k for the joints that do not belong to the spherical joint is not unique. In order to get a simple solution for qk, this assignment can be changed using the concept of the inverse robot (presented in Appendix 2). For instance, if the spherical joint is composed of the joints 4, 5 and 6, we can take i = 1, j = 2, k = 3. But we can also take i = 3, j = 2, k = 1 by using the concept of the inverse robot. We can easily verify that the second choice is more interesting if these joints are revolute and S2  0, d2  0 but d3 = 0 or S3 = 0. 78 Modeling, identification and control of robots Table 4.3. Solutions of qk and types of equations Type i j Conditions Equations for qk k rk R R Sj = 0 Cj Fz(qk) = Gz 2 1 dj = 0 ||F||2 = ||G||2 2 9 dj  0 11 10 and Sj  0 ||F||2–||G||2dj22 + Fz–CjGz2 = G 2 + G 2 x y 2dj    Sj  Cj = 0 Fy(qk) = Sj Gz 2 1 Fy – Sj Gz2 = Gx2 + Gy2  Cj  11 9 Gy = – Sj Fz(qk) 2 1 Gy + Sj Fz2 = Fx2 + Fy2  Cj  11 9 2 1 R P Cj  0 P R Cj = 0 Cj  0 P (Fx+dj)2 +  (Gx–dj)2 +  P Fx + dj = Gx Table 4.4. Type of equations and maximum number of solutions for qi, qj and qk Type / Number of solutions i j R R R P P P R P k rk qi qj Order Sj = 0 2/2 1/1 3/1 2/2 j then i dj = 0 2/2 9/2 3/1 3/2 j then i dj  0 and Sj  0 11 / 4 10 / 4 3/1 3/1 i then j Cj = 0 2/2 1/1 2/2 1/1 i then rj Cj  0 11 / 4 9/2 3/1 1/1 i then rj Cj = 0 2/2 1/1 1/1 2/2 j then ri Cj  0 11 / 4 9/2 1/1 3/1 j then ri 2/2 1/1 1/1 1/1 rj then ri Conditions Inverse geometric model of serial robots 79 • Example 4.3. Solving qk when joints i and j are revolute. Having determined qk, the components of F are considered to be known. Adding the squares of equations [4.18a] and [4.18b] eliminates i and gives a type-2 equation in j: Fx2 + Fy2 + dj2 + 2 dj (Cj Fx – Sj Fy) = Gx2 + Gy2 [4.20] After obtaining j, equations [4.18a] and [4.18b] give a system of type-3 equations in i. b) dj = 0 and Sj  0. Adding the squares of equations [4.18] gives: 80 Modeling, identification and control of robots ||F||2 = ||G||2 [4.21] Note that ||F||2 is a function of qk whereas ||G||2 is a constant: – if qk = k, equation [4.21] is of type 2 in k; – if qk = rk, equation [4.21] is of type 9 in rk. Having obtained qk and Fequation [4.18c] gives j using the type-2 equation. Finally, equations [4.18a] and [4.18b] give a system of type-3 equations in i. c) dj  0 and Sj  0. Writing equation [4.17] in the form: F(qk) = Rot(z, – ) Trans(x, –d ) Rot(x, – ) Rot(z, – ) G j j j i   1  1  [4.22] after expanding, we obtain the third component as: Fz = Sj Si Gx – Sj Ci Gy + Cj Gz Adding the squares of the components of equation [4.22] eliminates j: [4.23a] ||G||2 + dj2 – 2 dj (Ci Gx – Si Gy) = ||F||2 [4.23b] By eliminating i from equations [4.23], we obtain: 2 2  || F ||2  || G ||2 d 2   Fz  C jG z  j  2 2  +    Gx + Gy   2d j S j     Here, we distinguish two cases: – if qk = k, equation [4.24] is of type 11 in k; – if qk = rk, equation [4.24] is of type 10 in rk. [4.24] Knowing k, equations [4.23a] and [4.23b] give a system of type-3 equations in i. Finally, equations [4.18a] and [4.18b] are of type 3 in j. • Example 4.4. The variables 1, 2, 3 for the Stäubli RX-90 robot can be determined with the following equations using the Pieper method: – equation for 3: – 2D3 RL4 S3 = (Px)2 + (Py)2 + (Pz)2 – (D3)2 – (RL4)2 – equation for 2: (– RL4 S3 + D3) S2 + (RL4 C3) C2 = Pz – equations for 1: [(– RL4 S3 + D3) C2 – RL4 C3 S2] C1 = Px Inverse geometric model of serial robots 81 [(– RL4 S3 + D3) C2 – RL4 C3 S2] S1 = Py 4.4.2.2. General solution of the orientation equation The spherical joint variables m-1, m and m+1 are determined from the orientation equation, which is deduced from equation [4.2] as: 0 R m-2m-2 R m+1 (m 1 , m , m 1 ) m+1 R 6 = s n a  [4.25] The matrices 0Rm-2 and m+1R6 are functions of the variables that have already been obtained. Using equation [3.3] and after rearranging, equation [4.25] becomes: rot (z,m-1 )rot (x, m )rot (z,m )rot (x, m+1 )rot (z,m+1 )= S N A  with [ S N A ] = rot(x, –m-1) m-2R0 [ s n a ] 6Rm+1 [4.26] The left side of equation [4.26] is a function of the joint variables m-1, m and m+1 whereas the right side is known. These equations yield two solutions for the spherical joint variables. Thus, the maximum number of solutions of the IGM for a six degree-of-freedom robot with a spherical joint is eight. 4.4.3. Inverse geometric model of robots with three prismatic joints The IGM of this class of robots is obtained by solving firstly the three revolute joint variables using the orientation equation. After this, the prismatic joint variables are obtained using the position equation. The number of solutions for the IGM of such robots is two. 4.4.3.1. Solution of the orientation equation Let the revolute joints be denoted by i, j and k. The orientation equation can be deduced from equations [4.2] and [3.3] as: rot (z,i ) S1 N1 A1 rot (z, j ) S2 N2 A2 rot (z,k )  S3 N3 A3 [4.32] where the orientation matrices [ Si Ni Ai ], for i = 1, 2, 3, are known. The solution of equation [4.32] is similar to that of § 4.4.2.2 and gives two solutions. 4.4.3.2. Solution of the position equation Inverse geometric model of serial robots 83 Let the prismatic joints be denoted by i', j' and k'. The revolute joint variables being determined, the position equation is written as: [4.33] Trans(z, ri' )T1 Trans(z, rj' )T2 Trans(z,rk' )=T3 Si Ni Ai Pi  with Ti=   0 0 0 1 The matrices Ti, for i = 1, 2, 3, are known. The fourth column elements of the previous equation gives a system of three linear equations in ri', rj' and rk'. 4.5. Inverse geometric model of general 6 dof robots The Raghavan-Roth method [Raghavan 90] gives the solution to the inverse geometric problem for six degree-of-freedom robots with general geometry (the geometric parameters may have arbitrary real values). In this method, we first compute all possible solutions of one variable qi using a polynomial equation, which is called the characteristic polynomial. Then, the other variables are uniquely derived for each qi. This method is based on the dyalitic elimination technique presented in Appendix 3. In order to illustrate this method, we consider the 6R robot and rewrite equation [4.2] as follows: 0T 1T 2T 3T = U 6T 5T 1 2 3 4 0 5 4 [4.34] The left and right sides of equation [4.34] represent the transformation of frame R4 relative to frame R0 using two distinct paths. The joint variables appearing in the elements of the previous equation are:  1 , 2 , 3 , 4  ,  ,  ,   1 2 3 4  1 , 2 , 3 , 4  0  1 , 2 , 3 , 4 1 , 2 , 3 , 4 1 , 2 , 3 1 , 2 , 3 1 , 2 , 3 , 4 1 , 2 , 3 0 0 1 , 2 , 3  1 , 2 , 3  = 1 , 2 , 3   1    5 , 6  ,   5 6  5 , 6   0 5 , 6 5 , 6 5 , 6 5 , 6 5 , 6 5 , 6 0 0 5 , 6  5 , 6  5 , 6   1  84 Modeling, identification and control of robots From this equation, we observe that the third and fourth columns of the left side are independent of 4. This is due to the fact that the elements of the third and fourth columns of the transformation matrix i-1Ti are independent of i (see equation [3.2]). From equation [4.34], we can thus establish the following equations devoid of 4: al = ar Pl = Pr [4.35a] [4.35b] where the vectors a and P contain the first three elements of the third and fourth columns of equation [4.34] respectively, and the subscripts "l" and "r" indicate the left and right sides respectively. Equations [4.35] give six scalar equations. It is now necessary to eliminate four of the five remaining variables to obtain a polynomial equation in one variable. This requires the use of the following additional equations: (aT P)l = (aT P)r (PT P)l = (PT P)r (axP)l = (axP)r [a(PT P) – 2P(aT P)]l = [a(PT P) – 2P(aT P)]r [4.36a] [4.36b] [4.36c] [4.36d] Equations [4.36a] and [4.36b] are scalar, whereas equations [4.36c] and [4.36d] are vectors. They do not contain sin2(.), cos2(.) or sin(.)cos(.). We thus have fourteen scalar equations that may be written in the following matrix form: A X1 = B Y [4.37] where: • X1 = [ S2S3 S2C3 C2S3 C2C3 S2 C2 S3 C3 1 ]T • Y = [ S5S6 S5C6 C5S6 C5C6 S5 C5 S6 C6 ]T [4.38] [4.39] • A: (14x9) matrix whose elements are linear combinations of S1 and C1; • B: (14x8) matrix whose elements are constants. To eliminate 5 and 6, we select eight scalar equations out of equation [4.37]. The system [4.37] will be partitioned as:  A1  X1 =  B1  Y  A2   B2  [4.40] where A1 X1 = B1 Y gives six equations, and A2 X1 = B2 Y represents the remaining eight equations. By eliminating Y, we obtain the following system of equations: Inverse geometric model of serial robots D X1 = 06x1 85 [4.41] where D = [A1 – B1 B2-1 A2] is a (6x9) matrix whose elements are functions of S1 and C1. Using the half-angle transformation for the sine and cosine functions in equation 1 – x i2 2xi i [4.41] (Ci = and Si = with xi = tan 2 for i = 1, 2, 3) yields the new 1 + x i2 1 + x i2 homogeneous system of equations: E X2 = 06x1 [4.42] where E is a (6x9) matrix whose elements are quadratic functions of x1, and: X2 = [ x22x32 x22x3 x22 x2x32 x2x3 x2 x32 x3 1 ]T [4.43] Thus, we have a system of six equations with nine unknowns. We now eliminate x2 and x3 dyalitically (see Appendix 3). Multiplying equation [4.42] by x2, we obtain six additional equations with only three new unknowns: E X3 = 06x1 [4.44] with X3 = [ x23x32 x23x3 x23 x22x32 x22x3 x22 x2x32 x2x3 x2 ]T. Combining equations [4.42] and [4.44], we obtain a system of twelve homogeneous equations: S X = 012x1 [4.45] where: X = [ x23x32 x23x3 x23 x22x32 x22x3 x22 x2x32 x2x3 x2 x32 x3 1 ]T [4.46] and S is a (12x12) matrix whose elements are quadratic functions of x1 and has the following form:  E 06x3    06x3 E  S=  [4.47] 86 Modeling, identification and control of robots In order that equation [4.45] has a non-trivial solution, the determinant of the matrix S must be zero. The characteristic polynomial of equation [4.47], which gives the solution for x1, can be obtained from: det (S) = 0 [4.48] It can be shown that this determinant, which is a polynomial of degree 24, has (1+x12)4 as a common factor [Raghavan 90]. Thus, equation [4.48] is written as: det (S) = f(x1) (1+x12)4 = 0 [4.49] The polynomial f(x1) is of degree sixteen and represents the characteristic polynomial of the robot. The real roots of this polynomial give all the solutions for 1. For each value of 1, we can calculate the matrix S. The variables 2 and 3 are uniquely determined by solving the linear system of equation [4.45]. By substituting 1, 2 and 3 in equation [4.37] and using eight equations, we can calculate 5 and 6. Finally, we consider the following equation to calculate 4: 4T = 4T U 0T 3 6 0 3 [4.50] By using the (1, 1) and (2, 1) elements, we obtain 4 using an atan2 function. The same method can also be applied to six degree-of-freedom robots having prismatic joints. It this case, Si and Ci have to be replaced by ri2 and ri in X1 and Y respectively, i being the prismatic joint. NOTE.– Equation [4.34] is a particular form of equation [4.2] that can be written in several other forms [Mavroidis 93], for example: 4T 5T 6T 0T = 4T 3T 2T 5 6 7 1 3 2 1 5T 6T 0T 1T = 5T 4T 3T 6 7 1 2 4 3 2 6T 0T 1T 2T = 6T 5T 4T 7 1 2 3 5 4 3 0T 1T 2T 3T = 7T 6T 5T 1 2 3 4 6 5 4 1T 2T 3T 4T = 1T 7T 6T 2 3 4 5 0 6 5 2T 3T 4T 5T = 2T 1T 7T 3 4 5 6 1 0 6 [4.51a] [4.51b] [4.51c] [4.51d] [4.51e] [4.51f] with 7T6 = U0 and 6T7 = U0-1 The selection of the starting equation not only defines the variable of the characteristic equation but also the degree of the corresponding polynomial. For specific values of the geometric parameters, certain columns of the matrix S become dependent and it is necessary to either change the selected variables and columns [Khalil 94b], [Murareci 97] or choose another starting equation [Mavroidis 93]. Inverse geometric model of serial robots 87 When the robot is in a singular configuration, the rows of the matrix S are linearly dependent. In this case, it is not possible to find a solution. In fact this method has proved the maximum number of solutions that can be obtained for the inverse geometric problem of serial robots, but it is difficult to use it to develop a general numerical model to treat any robot. 4.6. Conclusion In this chapter, we have presented three methods for calculating the inverse geometric model. The Paul method is applicable to a large number of structures with particular geometrical parameters where most of the distances are zero and most of the angles are zero or  /2. The Pieper method gives the solution for the six degreeof-freedom robots having three prismatic joints or three revolute joints whose axes intersect at a point. Finally, the general method provides the solution for the IGM of six degree-of-freedom robots with general geometry. The analytical solution, as compared to the differential methods discussed in the next chapter, is useful for obtaining all the solutions of the inverse geometric model. Some of them may be eliminated because they do not satisfy the joint limits. Generally, the selected solution is left to the robot's user and depends on the task specifications: to avoid collisions between the robot and its environment; to ensure the continuity of the trajectory as required in certain tasks prohibiting configuration changes (machining, welding,...); to avoid as much as possible the singular configurations that may induce control problems (namely discontinuity of velocity), etc. Chapter 5 Direct kinematic model of serial robots 5.1. Introduction The direct kinematic model of a robot manipulator gives the velocity of the end in terms of the joint velocities q  . It is written as: effector X   J (q) q X [5.1] where J(q) denotes the (mxn) Jacobian matrix. The same Jacobian matrix also appears in the direct differential model, which provides the differential displacement of the end-effector dX in terms of the differential variation of the joint variables dq: dX = J (q) dq [5.2] The Jacobian matrix has multiple applications in robotics [Whitney 69], [Paul 81]. The most obvious is the use of its inverse to numerically compute a solution for the inverse geometric model, i.e. to compute the joint variables q corresponding to a given location of the end-effector X (Chapter 6). The transpose of the Jacobian matrix is used in the static model to compute the necessary joint forces and torques to exert specified forces and moments on the environment. The Jacobian matrix is also used to determine the degrees of freedom of the tool, the singularities and to analyze the reachable workspace of robots [Borrel 86], [Wenger 89]. In this chapter, we will present the computation of the Jacobian matrix and expose its different applications for serial robots. The kinematic model of complex chain robots will be studied in Chapter 7. 90 Modeling, identification and control of robots 5.2. Computation of the Jacobian matrix from the direct geometric model The Jacobian matrix can be obtained by differentiating the DGM, X = f(q), using the partial derivative J ij = f i (q) ; q j f such that: q for i = 1, …, m and j = 1, …, n [5.3] where Jij is the (i, j) element of the Jacobian matrix J. This method is convenient for simple robots having a reduced number of degrees of freedom as shown in the following example. The computation of the kinematic Jacobian matrix, is more practical for a general n degree-of-freedom robot. It is presented in § 5.3. • Example 5.1. Let us consider the three degree-of-freedom planar robot presented in Figure 5.1. Let us denote the link lengths by L1, L2 and L3. Py y0 E 3 L3 x3  x2 x1 L2 2 L1 1 x0 Px Figure 5.1. Example of a three degree-of-freedom planar robot The task coordinates, defined as the position coordinates (Px, Py) of the terminal point E and the angle  giving the orientation of the third link relative to frame R0, are such that: Px = C1 L1 + C12 L2 + C123 L3 Py = S1 L1 + S12 L2 + S123 L3 90 Direct kinematic model of serial robots 91 = 1 + 2 + 3 where C1 = cos(1), S1 = sin(1), C12 = cos(1  2), S12 = sin(1  2), C123 = cos(1  2  3) and S123 = sin(1  2  3).
MMTUK03:165781033:mpeg21_1
Dutch-PD
Public Domain
r~— --- _■ No. 33 - 11e Jaargang _ VRIJDAG 18 JULI ANNO 1913 DEWACHTER Numeri X:2 T— ■ Mattb. XXVkAl? M-, WEEK i ES LA D TOTSTEUN VAN DETh EO LOGISCHE ÖCHOOLVAN DE GEREFORMEERDE KERKEN. Onder Redactie van Ds. T. BOS te Dokkum en Ds. S. J. VOGELAAR te Groningen. Vaste Medewerkers: Bs. W. BOSCH, te Almkerk. Ds. W. DIEMER, Em. Pred. te Apeldoorn. Ds. G. ELZENGA te Kampen. Ds. J. KOK te Bedum e. a. Dit blad verschijnt iederen VRIJDAG. De abonnementsprijs be draagt f 0.60 per halfjaar, franco per post. Stukken voor de Redactie gelieve men te zenden aan Ds. T. Bos, te Dokkum. Boeken ter recensie aan de Administratie te Kampen. Opleiding Hoor de iherk door de JlerA AD VERTENTIËN 10 cent per regel. Familieberichten en Dienstaanbiedingen 5 cent per regel. Bij abonnement voor- deelige condities. Inzending tot DONDERDAGSMORGENS 10 uur. Overdenkingen. DE OPENBARE BELIJDENIS. En niemand neemt zichzelven die eere aan, maar die van God geroepen wordt, gelijkerwijs als Aaron. Hebreën 5 : 4. Weet gij, lezer, wat de openbare belijdenis beteekent ? Wat gij gedaan hebt in de plechtige ure, toen gij in het midden van de gemeente des Heeren antwoord gaaft op de daartoe verordende vragen? Verkeerde gedachten en practijken zijn in dezen nog allerminst uit gesloten. Sommigen doen, alsof de belijdenis ten doel heeft, den toegang tot de doopvont voor hunne kinderen te ontsluiten. Een euvel, dat uiteraard alleen voorkomt in plaatsen, waar uitsluitend het kroost van belijdende lidmaten gedoopt wordt. Het huwelijk dringt alsdan tot de belijdenis. Ze zouden er niet toekomen of ge komen zijn, indien ze geen kindeken hadden of verwachtten. Bij anderen werkt nog de zuurdeesem van , het Genootschap. Ze meenen, dat zij bij de , belijdenis eerst lidmaat der gemeente zijn ge- , worden. Reeds bij hun doop is het verzekerd, , dat zij lid zijn krachtens hunne geboorte in. het verbond. Maar deze heerlijke waarheid bleef < hun vreemd, hetzij door gebrekkig onderwijs ] hetzij door de verdooving van een heilloozen sleur. En voorts zijn er niet weinigen, die in de ( belijdenis des geloofs alleen zien een voor- waarde, om de volle voorrechten van de huis- c genooten des geloofs deelachtig te worden. c Met name het voorrecht van de avondmaals- f viering. Ze doen belijdenis, om te kunnen komen aan den disch des verbonds. r Deze laatsten hebben de beteekenis van de plechtige belijdenis-ure ten deele verstaan. Ze r beseffen iets van den overgang uit den on- a mondigen in den mondigen staat als lidmaat , van Christus’ Kerk. Maar tot de algeheele beteekenis, tot den vollen rijkdom zijn ze 0 nog niet doorgedrongen. Daartoe komen we E eerst, wanneer we eenopen oog hebben voor j het ambt der geloovigen. Wie mondig lid- E maat wordt, treedt op als profeet, als pries- c ter en als koning. Tot dusver was hij wel geroepen en gezalfd tot, maar nog niet i. gezet in het drievoudig ambt. Gelijk David, v schoon gezalfd tot koning, niet ambtelijk kon optreden, voordat hij tot koning over Israël f. was uitgeroepen, zoo moeten ook de onmon- jj dige lidmaten der gemeente een tijd van voor- / bereiding doormaken. Zoolang ze onmondig e zijn, hebben zij zich wel te oefenen voor de roeping, die hen wacht. Maar eerst bij de w openbare belijdenis treden zij in het ambt en b nemen ze de heilige roeping op zich. En van die ure aan gaan de rechtgeaarde christenen ë uit, om den Heere ambtelijk te dienen, krach- b. tens het gezag, hun van Godswege geschonken. a. Ziedaar de hooge beteekenis van de openbare z; belijdenis. Eene beteekenis, die den belijders VJ niet genoeg op het hart gedrukt kan worden, in om het bewustzijn van hunne roeping te ver- levendigen. Hieruit blijkt, dat ook het optreden in het ambt der geloovigen niet buiten den dienst te der Kerk omgaat. Zij is het, die naar Gods ordinantie in het ambt stelt. Ook van het g€ ambt der geloovigen geldt het woord van den m Apostel: „En niemand neemt zichzelven die j{c eere aan, maar die van God geroepen wordt, er gelijkerwijs alsAaron”. De Hoogepriester onder m het Oude Verbond trad niet eigenmachtig op. „e uit kracht van ’s Heeren roeping heeft hij 6 zijn heerlijke taak aanvaard. En zoowel bij het inzetten in als bij de zalving tot het ambt ~ gebruikte de Heere den dienst van menschen. H Zoo gaat het ook in deze nieuwe bedeeling. En de bizondere ambtsdragers èn degeheilig- den tot het ambt der geloovigen mogen zich die eere niet aannemen dan als uit de hand van de Moeder der geloovigen. Geen christen mag deze ordinantie Gods miskennen. Het ambt is onafscheidelijk aan het lidmaatschap der zichtbare, georganiseerde Kerk gebonden. En mitsdien is noch de roeping en zalving tot, noch de opleiding voor, noch ook het zetten in het ambt buiten den dienst der Kerk om te zoeken. De roeping tot het ambt ge schiedt door middel van de prediking des Evangelies, het zaad der wedergeboorte. De zalving is afgeschaduwd in het teeken en zegel van den heiligen doop, die door den dienst der Gemeente wordt toegediend. De opleiding en voorbereiding der geroepenen is eveneens het werk der Kerk in het Catechetisch onder wijs. En zoo ten slotte ook de toelating tot en het optreden in het ambt der geloovigen geschiedt door den Raad der Gemeente, van Godswege. Met het oog op deze beteekenis van de be lijdenis is het begrijpelijk, dat Calvijn de cere monie der handoplegging bij deze plechtigheid wenschte te handhaven. ïn zijne uitlegging op Hebr. 6 vs. 2 gispt hij streng de verbaste ring van die ceremonie bij Rome, maar hij achtte het goed en noodig, ze gezuiverd van alle superstitiën bij den voortduur te behouden. Doch al is dit gebruik onder ons uitgesleten, het karakter van de belijdenis is daardoor niet veranderd. Bij de openbare belijdenis hebt ge trouw gezworen aan den Heere der gemeente, dat gij Hem zult verheerlijken in woord en wandel, uw leven aan Zijn dienst zult wijden, en strijden zult tegen de macht der zonde op alle levensterrein. Geve de Heere U genade, om deze uwe roeping in kinderlijke gehoorzaam heid te betrachten. In dit licht bezien komt tevens het gewicht openbaar van wat aan de openbare belijdenis voorafgaat: de catechetische onderwijzing, het onderzoek voor den Kerkeraad en de mede- -1 _ 1 ƒ -I. “• aeeiing aan ae gemeente, die mede over de s' toelating heeft te oordeelen. !n De catecheet heeft een zware taak: de ge- roepenen tot het ambt der geloovigen opleiden , voor de profetische, priesterlijke en koninklijke 'e roeping. Hij moet niet alleen leiding geven Q- aan het geestelijk leven, als het er is, en op- i wekken tot een zoeken van den Heere, waar het nog ontbreekt. Neen, hij heeft tevens de ;e onmondige lidmaten op te bouwen in de ken- < e nis van Gods Woord naar de Belijdenis der 1 ’r Kerk, opdat zij straks bekwame getuigen kun- ( ■*' nen zijn, koninklijke priesters, die de deugden Gods verkondigen. En dat doel is niet te be- 1 ï reiken, tenzij onze zonen en dochteren getrouw , het onderwijs volgen en zich benaarstigen de ; E waarheid in zich op te nemen. “ De kerkeraad heeft een niet minder ernstige : taak, als hij heeft te oordeelen over de toe- * lating. Wie tot de openbare belijdenis wordt ( toegelaten, hij wordt immers mondig verklaard 1 g en bekwaam geacht in het treffelijk ambt i e der geloovigen op te treden. Het is dus in e waarheid eene examinatie van geene geringe Q beteekenis. En groot is de eere, die de toe- 1 gelatene door ’s Heeren genade ontvangt. s 1 Maar ook voor de gemeente is het een zeer l’ belangrijke beslissing. Vandaar dat de namen l- aan alle lidmaten worden meegedeeld, opdat ■ e zij er ook over kunnen oordeelen en desnoods 1 s vóór de openbare belijdenis bezwaren kunnen 4 > inbrengen. Er zijn broeders en zusters, die e - dit niet verstaan. Die op de toelating door den kerkeraad afdingen, maar hunne bezwaren aan vrienden kenbaar maken en niet ter be- “ voegder plaatse brengen. Is het nog noodig 0 “ te herinneren, dat zij hunne roeping verzaken ? h * Wanneer geen wettige bezwaren worden in- k gebracht, is heel de gemeente verantwoorde- z ' lijk voor de openbare belijdenis der jeugdige ' lidmaten. En die dag zal een dag van vreugde ° > en zegen zijn, als èn de belijders èn alle lid- 0 maten de beslissing in den gebede hebben g : gedacht voor het aangezicht des Heeren. d G. Doekes. Het Theologisch Professoraat, De beteekenis eener Universiteit. “ b. (2) t< In ons vorig artikel wezen wij er op dat v opleiding niet het laatste doel is van hooger onderwijs, ook blijkens het ontstaan, en den feitelijken toestand. Geen Universiteit is opgekomen uit de idee „eenheid der wetenschap”, en bij de tegen woordige uitbreiding der wetenschap wordt ook nergens meer de eenheid van hooger onderwijs in één Universiteit nagestreefd om die abstracte voorstelling. Men rekent met de praktijk. En dat heeft men altijd gedaan. Uit be hoeften die de praktijk aanwees, en die het leven deed opmerken zijn Universiteiten ont staan, en nagevolgd. Natuurlijk keuren wij dat niet af, en ont kennen daarmee niet het bestaansrecht van eene Universiteit, of het streven om nog in som mige opzichten hare eenheid te handhaven, al blijkt dit alleen eenige werkelijke beteekenis te hebben zoolang de Universiteit zeer klein is. Dat zij uit behoeften die in de praktijk gevoeld werden ontstaan zijn, achten wij zelfs den normalen weg, waarlangs de mensch door de voorzienigheid Gods geleid wordt. Wanneer wij naast elkander stellen een lijst van ontdekkingen en uitvindingen die in de praktijk des levens geschied zijn, en andere die op de studeerkamer uit een vooropgezette theorie zijn vastgesteld, dan is de eerste lijst zeer lang, en de tweede o zoo klein. Regel is dat de mensch door praktijk en ervaring geleerd wordt een theorie te vinden en niet omgekeerd. Dat het zoo ook ging bij Universiteiten is dus geen bezwaar tegen het karakter dat men er aan geeft. Maar dan moet toch wel die theorie ver band houden met wat de praktijk leerde, en houdt dus de historie recht van spreken. En die historie zegt dat men er toe kwam om enkele scholen voor „vrije kunsten” saam te voegen tot één geheel, tot een corpus, om daardoor sterk te staan tegen invloeden van buiten. Ongunstige invloeden voor den bloei eener gestichte school van onderscheiden aard door leefde men. De invloeden van andere pogingen om ook zulk een school te stichten, de con currentie dus; en de invloeden der plaatse lijke of landsoverheden die mee- of tegen werken konden; de invloeden der studenten op elkander en hunne onderlinge verhoudin gen, e.d. waren oorzaak dat de behoefte aan samenbinding gevoeld werd. En daardoor is het geschied dat scholen zich vereenigden, de beoefening der wetenschap 3 in heel zijn toen bekenden omvang aan zich I trokken, en zich een universitas begonnen te : noemen. j Nu is het begrijpelijk, dat men toen ook begon te denken aan verdeeling van arbeid, 1 opdat niet één persoon voor alle onderwijs be- 1 hoefde te zorgen, en daardoor zich grondiger i kon inwerken in zijn aangewezen vakken. 1 Zelfs de verdeeling in faculteiten, die hieruit mstaan is, geschiedde geheel naar toevallige i omstandigheden, en niet naar een voorop- c ’ezette, wettenschappelijk vastgestelde ver- s leeling der „eenheid van wetenschappen.” De verdeeling geschiedde zooals gebleven is, c omdat het in de praktijk het beste alzoo uit- s cwam. Men vormde niet een Universiteit als <3 ooefenende de „eenheid der wetenschap”, maar I ïit de samenvoeging van de personen die er >ij betrokken waren. Professoren en studen- v en waren er samen de leden van. En dik- h vijls zelfs werden nog allerlei personen bij n r opgenomen, die aan deze gemeenschap hunne ï diensten bewezen, tot de boekhandelaars en pandleeners toe, welke ook onder het gezag i van den rector der School stonden. Zelfs wie wij tegenwoordig als begun- : stigers noemen zouden, waren er niet van uit- • gesloten. i De Universiteit was een corporatie van belanghebbenden, welke zich tezaam verbonden hadden om sterk te zijn tegenover derden tot het handhaven of verkrijgen van bijzondere ; rechten. Daardoor wist men ook maatregelen te verkrijgen, opdat niet langer ieder die maar wilde als leeraar kon optreden, maar daartoe alleen gerechtigd geacht werd, wie door de Universiteit als bekwaam verklaard was. En behalve al deze omstandigheden had ook de behoefte aan het dagelijksch brood nog groo- ten invloed op het ontstaan en bestaan van Universiteiten. Men moest toch leven. Ook als er door het zich geven aan de beoefening der wetenschap geen gelegenheid overbleef nm on. wijze zijn brood te verdienen. ; En door de studenten onderhouden worden, s wat ’t eerst voor de hand lag, bleek al spoedig : een leven van hongerlijden te worden. Daar- ; om werd stad of staat of kerk te hulp ge- ; roepen om in dit onderhoud te voorzien. Maar het bleek wel dat, toen zoowel als nu, zulke steun niet zonder het vaststellen van wederkeerige rechten en verplichtingen geschiedde. Benoemingen gingen al spoedig op de over heid over, en daarmee wijzigden zich allerlei verhoudingen, en belemmerden beperkende bepalingen de stichting van scholen en Uni versiteiten. Dit bevestigt alzoo, dat de beteekenis eener Universiteit niet is af te leiden uit de begeerte naar beoefening der wetenschap om zich zelve. Zij was en is opleidingsschool, en hare lee raren hebben in de eerste plaats de roeping om te leeren. Daarmee moet dan ook gerekend worden. De Universiteit wordt in haar arbeid voor ’t grootste deel beheerscht door opleidings- eischen, evengoed als elke Hoogeschool, ook die, waar slechts een enkel vak wordt onder wezen. Er wordt dan ook wel degelijk mee gerekend. Die eischen der opleiding stellen de gegevens vast om de vraag te beantwoorden wat onder wezen zal worden, en hoe het geschieden zal. Daarvan is afhankelijk de omvang welke de behandeling van bepaalde vakken verkrijgen zal, zoowel als de tijd die er voorop de les rooster afgezonderd wordt. Daarmee staat in verband de methode welke gevolgd wordt om aan de studenten leiding te geven bij den arbeid dien zij te verrichten hebben om zich op wetenschappe lijke wijze voor hun doel te bekwamen. Die opleidingseischen beheerschen den inhoud van de examens welke afgelegd wor den, al is het onderwijs niet op examendres suur berekend, enz. Alles saamgevat kan er geen andere con clusie getrokken worden, dan dat elke Hooge school is en zijn moet opleidingsschool. Maar dat bepaalt dan ook de beteekenis van den Professor. Deze kan niet eenvoudig weg leven om de wetenschap te beoefenen, maar moet daarbij het doel van den arbeid, waarvoor hij be noemd is, voor oogen houden. Is hij man van groote gaven en werkkracht, dan zal hij wel meer kunnen doen dan wat meer of minder direct met zijn hoogleeraars- werk in verband staat. Dan zal hij ook be oefenaar der wetenschap kunnen zijn in bij zonderen zin. Maar deze uitzondering en toevoeging wijzigt de beteekenis van het ambt niet. Daarom meenen wij de beteekenis van alle hoogleeraarsambt hierin te mogen samenvat ten, dat een Professor is leeraar voor opleiding. V. Kerkelijke Pers. Nog eens „het preekverbod.” Wij hebben onlangs over deze zaak een 5 enkeie gedachte uitgesproken, met het gevolg 1 dat Friesch kerkblad schreef: } i Dat is wel een leuke redeneering : een be- s sluit moet hooggehouden, ’t wordt niet hoog- 1 gehouden, dus moet het afgeschaft. i Ik weet een weg, die nog uitnemender is, s ook voor Ds. Vogelaar : een besluit moet hoog gehouden, dus moet men het ook leeren hoog- t houden. Als de volksovertuiging in dit op « zicht verkeerd is, paai haar dan niet, maar 1 zet haar recht. Want als een besluit al aanstonds weer £ afgeschaft moet, omdat het niet in de volks- 5 overtuiging wortelt, dan moet hef Arnhemsche Besluit om de aangenomen voorstellen tot < Eenheid van Opleiding niet uit te voeren, £ zeker worden afgeschaft, want dit wortelt i niet in de volksovertuiging. ( De volksovertuiging wil eenheid van op» i leiding! c Wij hebben daar vooralsnog het zwijgen toe i gedaan, meenende dat de lezers zelf wel voelen < zouden dat de neergeschreven impressie van den Poortwachter niet logisch is. < Maar dat blijkt zoo niet te zijn. i Tenminste, in de Gron. Kerkbode komt Ds. i Miedema het stuk van coll. Huismans over- < nemen, met de opmerking dat daarin een < scherpzinnig gebruik gemaakt is van de ar- i gumentatie van Ds. V. < Habemus, zouden de ouden zeggen. Nou heb ik je, zeggen onze jongens. < Maar is ’t wel waar? < De eerste „scherpzinnige” conclusie luidt, i dat wij gezegd zouden hebben: „een besluit 1 moet hooggehouden worden, ’t wordt niet ( hooggehouden, dus moet het afgeschaft.” i En zie, dat hebben wij volstrekt niet ge- i zegd; wanneer Ds. M. dus ons stukje gelezen 1 had, had hij moeten zeggen : dat is een „scherp zinnige” vergissing van onzen Frieschen collega. Immers wij hadden er op gewezen, dat naar óns inzicht, de Synode een besluit over deze 5 zaak genomen heeft, dat niet wortelt in de I volksovertuiging. En wanneer dat zoo is, had < de Synode het niet moeten nemen, en is er 1 reden om er op terug te komen. 1 Niet dus omdat het niet hooggehouden wordt i maar omdat het niet noodig was. Daarom kunnen wij den weg, die ons gewezen wordt, ' niet als „uitnemend :r” erkennen. Was dat zoo dan zouden wij den gegeven i raad opvolgen. Het is ons niet te doen om 1 de volksovertuiging te paaien. Was dat onze lust, dan zouden wij reeds lang met andere s oogen aangezien zijn. Maar wij hebben aangegeven waarom wij ; een recht gebruik van het spreken van een ] stichtelijk woord niet verkeerd kunnen achten, 1 en waarom wij in dit verbod weer een achter uitzetting zien van de studenten der Theol. 1 School bij die der V. U. 1 En daaromtrent is ons inzicht door het 1 „leuke” wederwoord van Ds. H. niet gewijzigd. 1 Het is er ook niet in besproken. : Ook de laatste „scherpzinnigheid”, die in een vet gedrukten regel eindigt, is als een haastige conclusie op te vatten; en als een onjuiste, gelijk te bewijzen is. Wij worden niet gaarne aan het genoemde Arnhemsche besluit herinnerd, omdat de ver keerdheid daar duimen dik op ligt. Maar wanneer daarmee in verband gebracht wordt, dat de volksovertuiging eenheid van opleiding wil, dan keert zich de „scherpzin nige” conclusie tegen hen, die haar tegenhouden door de Theol. Faculteit der V. U. van onder het zeggenschap der Kerken weg te houden. Het recht van het beding stelt vast dat deze niet te loor mag gaan. En de volksovertuiging is daarmee niet in strijd. Die wil wel, dat de Kerken zelve de teugels houden over de opleiding tot den dienst des Woords. Als men ooit daaromtrent in ’t onzekere verkeerd heeft, dan toch zeker niet meer sinds de spontane actie voor den 5den Professor een beeld van de werkelijkheid heeft gegeven. , In dien weg wilden ook wij steeds eenheid van opleiding, maar van de zijde der V. U. heeft men deze niet gewild, zooals op ruwe wijze in 1899 en ook gedurig daarna getoond is. Dit is toch onder ons genoegzaam vast staande, ook voor impressieve karakters, en had dus moeten weerhouden om de aange wezen conclusie te trekken en tegen ons te stellen. Ds. M. had dan ook zoo „scherpzinnig” moe ten zijn om het niet over te nemen, en vooral er niet bij moeten voegen „dat zulke hande lingen nog publieke verdediging vinden.” In deze uitdrukking wordt ons blad niet genoemd, maar door het wraken der woorden van Ds. V. toch als van zelf aangewezen. Opmerkelijk is dat hier captie gemaakt wordt over een minder gewichtige zaak, terwijl ver geten wordt, wat wij vroeger reeds opmerkten, dat het gezag van de Synodale besluiten on- dermijnd is, door hen, die zelfs de allerge wichtigste niet hoog gehouden hebben. Wanneer uitgesproken werd, dat het „be ding” wel beloofd is, maar niet gemeend was. is ook de Gron. Kerkbode daar niet tegen opgekomen. Wanneer een bekend voorstel van Zaandam de wereld ingegaan, in die lijn zich beweegt, is het mede Ds. M. die, tot de absolute on uitvoerbaarheid gebleken is, meegaat, die zelfs op de Prov. Synode spreekt over de School der minderheid, en niet te vinden was voor maatregelen welke haar bloei konden bevor deren. Maar evenzeer is het merkwaardig dat onze „publieke verdediging” nauwkeurig over eenkomt met de conclusie van Ds. M. wan neer hij zegt: „wil men ’t verbod zien opge heven, men trachte dit gedaan te krijgen in den kerkdijken weg, maar inmiddels arbeide men toch allen samen om ’t geen met ge meen goedvinden besloten is voor bondig te houden. Intusschen is met al dat „leuke” en „scherp zinnige” onze hoofdopmerking onbesproken ge bleven, die toch op ernstige wijze den gang onzer kerkelijke besluiten raakt. De opmerking n.1. dat in middelmatige zaken de Synode geen besluiten moest nemen welke niet wortelen in de volksovertuiging. Zoo gedurig komt het voor dat de Generale Synode besluiten neemt, die toch werkelijk zoo’n haast niet hebben, en waar de Kerken in hunne mindere vergaderingen zich niet over uitgesproken hebben. En dat achten wij een zeer ongunstig ver schijnsel. De afgevaardigden naar de meerdere ver gaderingen ontvangen van de zendende Ker ken geen mandaat imperatief, geen bindende opdracht. Maar de feitelijke toestand is zoo, dat het bandeloos willekeurige er voor in de plaats gekomen is, zoodat het voorkomt dat iemand op de Synode, zonder dat er eenig nieuw licht over een zaak opging, tegen de besluiten zijner zendende particuliere Synode, waarmee hij zelf instemde, ingaat. Als dat doorwerkt wordt de Generale Synode I een vergadering, die wel formeel de Kerken | vertegenwoordigt, maar den zedelijken band met de Kerken verliest. Men kan dan wel smalen over „de conservatieve 97 jarige oude juffrouw”, maar kon toch van haar leeren dat zij geen definitieve besluiten neemt, eer de Kerk over hare voorloopig vastgestelde bepalingen nog eens gehoord is. Heel de ellende die na 1902 gevolgd is, zou voorkomen zijn wanneer hiermee rekening gehouden ware. Daar kwam ten slotte een voorstel in be handeling dat zeer veel verschilde van wat bij de Kerken in bespreking was geweest, zoodat dan ook Ds. Littooy op dien grond voorstelde het eerst ter beoordeeling aan de Kerken terug te zenden. Maar men heeft niet gewild, en heeft krachtens „formeel” recht den zedelijken band met de Kerken voorbij gezien ; gelijk wel meer aan het „formeel juiste” de zakelijke juistheid wordt opgeofferd. En dat moet zich op den duur wreken, ook al meent iemand de oogen te kunnen sluiten voor de gevolgen. Dit wordt nog verergerd wanneer keer op keer bij afvaardiging zoo gehandeld wordt, dat toch de leiding van zaken moet blijven in handen van een paar personen. En hoe hoog die dan wellicht te achten zijn, we komen dan onder een oligarchie, een regeering van eenige weinigen, die zelfs geen carricatuur meer is van Gereformeerde Kerkregeering maar die er heel geen gemeenschap meer mee heeft. En wie ons kerkelijk leven kent, zal niet loochenen dat wij hier wijzen op een gevaar dat allerminst denkbeeldig is. Die „oudge dienden”, kennende den Synodalen tredmolen, maken dan voor zich zelven van te voren een en ander gereed, en zelfs bij verdeeling in commissiën krijgt men dan zeer eigenaardige toestanden. In plaats nu van, naar aanleiding onzer ge maakte opmerking in verband met „preekver bod” over deze feitelijkheden eens van ge dachten te wisselen, opdat er verandering kome, is dit achter een onjuiste conclusie teruggezet. Daarom brengen wij het weer naar den voorgrond, want des struisvogels voorbeeld achten wij in dezen niet na te volgen. V. Bidstond Theol. Schooldag. t Onderstaande Rede werd door Ds. Impeta 1 uitgesproken bij den Bidstond voor de Theol. School, gehouden aan den voor avond van den Theol. Schooldag op 1 Juli. j.1. Z.Eerw. heeft ze bereidwillig afgestaan ter opname in ons blad. In een viertal 1 vervolgstukken zal deze met veel aandacht 1 gevolgde rede nu worden geplaatst. 1 Het woord des Heeren, in welks overden king wij te deze ure hopen bezig te zijn, en dat ons als een middel in des Heeren hand '- moge stemmen tot een hartelijk gebed voor ' - onze Theol. School, gij vindt het: Jeremia 3 : 15. y 1 „En ik zal u herders geven naar mijn 1 hart, die zullen u weiden met wetenschap en verstand.” e — i Ofschoon dezen avond niet geroepen tot de i gewone bediening des Woords, nochtans, nu r ik aan hetgeen ik u gaarne wil zeggen een uitspraak des Heeren ten grondslag gelegd ■- heb, gebiedt mij de betamelijke eerbied voor 1 Gods Getuigenis, dat ik die betuiging des ■- Heeren Heeren dan ook metterdaad voor u •- zal ontvouwen en stellen in het rechte licht. b Zeker, een behoorlijke vrijheid mag ik mij in haar behandeling 'zonder eenig bezwaar ver- t oorloven; deze vrijheid bovenal, dat ik haar s dienstbaar tracht te maken aan het eigenlijk 1 doel van dit ons samenzijn; maar ik moet u t dan toch uitleggen wat de Heere bedoelde, r toen Hij tot Oud-Israël sprak; en wat Hij er f mee te kennen wil geven als Hij aan de N. Testamentische strijdende kerk op aarde belooft: e „ik zal u herders geven naar mijn hart; die zullen u weiden met wetenschap en ver stand.” Wat het oude Verbondsvolk betreft, ook het rijk van Juda stond dan nu op het punt uit zijn land gebannen te worden, en in vreemde landen, in het midden van vreemde volken, de ellende te ondervinden van de smadelijke ballingschap. Want de trouwelooze Juda had zich nog zwaarder bezondigd dan de afge keerde Israël. Maar nóg houdt zich niet stil de stemme der vermaning ; en de roepstem gaat uit, door den dienst van Jeremia, tot grooten en klei nen : „Bekeert u, gij afkeerigekinderen, spreekt de Heere' want Ik heb u getrouwd, en Ik zal u aannemen, éénen uit een stad, en twee uit een geslacht en zal u brengen te Sion.” Dat is : al waren er ten tijde waarin mijn goedertierenheid het blij bazuingeschal zal doen hooren: het uur der vrijlating genaakt, het uur der vrijlating is gekomen; al waren er dan maar twee overgebleven uit een weg gestorven geslacht; ja al was er in een gan- sche stad maar één, die het teeken mijns verbonds draagt in zijn vleesch; in den weg der boete en der waarachtige bekeering, zal Ik zelfs die twee, zal Ik zelfs dien éénen weer naar mijn heilig Sion brengen, naar de plaats mijner rust. En dan volgt de belofte : „Ik zal u herders geven naar mijn hart, die zullen u weiden met wetenschap en ver stand.” Was en isnudieverlossinguitdeBabylonische Ballingschap Deelden proietie van net JNieuw- restamentisch heil, van de verlossing die in Christus Jezus is, dan kan deze belofte ón mogelijk alleen maar bedoelen,dat God deHeere tan zijn wedergekeerd verbondsvolk zou geven crouwe priesters en profeten, trouwe leidslie- Jen, die als echte herders de schapen des Heeren zouden hoeden en weiden ; dan moet rij ook een belofte zijn voor de Kerk des Nieuwen Verbonds, en zij is het. Ja, zij is het. „Ik zal 1 geven,” zóó was het toen. Ik heb u gege ten, en ik geef u nog, zoo is het nu. De toezegging, door den dienst van Jeremia aan Ie zich bekeerende kinderen der Oude Bedee- ling gedaan, mogen wij lezen bij het licht pan den Nieuw Testamentischen jubel: „De verheerlijkte Christus heeft gegeven sommigen tot Apostelen ; en sommigen tot Profeten ; en sommigen tot Evangelisten: en sommigen tot Herders en Leeraars; tot de volmaking der heiligen, tot het werk der bediening, tot op- bouwing des lichaams van Christus.” In dit biduur nu voor onze Theol. School; voor de Eigen Inrichting onzer Geref. Kerken, en die bepaaldelijk ten doel heeft jonge man nen wetenschappelijk en praktisch op te lei den tot den dienst des Woords met al wat er meê in rechtstreeksch verband staat, ga ik over de dienaren des Goddelijken Woords tot u spreken. De kostbare belofte des Hee ren : „Ik zal u herders geven naar mijn hart, die zullen u weiden met wetenschap en ver stand”, laat ons hen zien zooals zij : genoemd worden met een volheerlijken naam; te volbrengen hebben een voortreffelijk werk; beantwoorden moeten aan gewichtige ver- eischten; geschenken zijn van den trouwen God des Verbonds. Zoo zal ik tegelijk goede gelegenheid heb ben om u de beteekenis aan te toonen van onze Theol. School, voor de vervulling der belofte, die ik heden in uw midden bespreek. I. Noemt niet de Heere in de belofte, waarop wij thans ons harte zetten, de diena ren des Woords met een volheerlijken naam ? Hij noemt hen herders; en wij zouden zoo’n herder in het Oosten van nabij en rustig moe ten gadeslaan, om een vollen indruk te be komen van wat het beteekent: inderwaar- heid een herder te zijn, een herder voor de ons toebetrouwde kudde. Doch de Heilige Schrift komt ons ook in dezen op uitnemen de wijze te hulp; en hebt gij hem niet ge- FEUILLETON. Naar Egypte en het Heilige land. TT T'* DOOK 1 K. TE B. dij ae Deen nnin. 32) In de vorige week liet ik u in de woeste en eenzame bergwereld waardoor de weg van Jeruzalem naar Jericho loopt, daar waar de overlevering vertelt van den profeet Elia aan de beek Krith. „Wij daalden af naar die ] beek langs een rotspad. Komt men in de diepte 1 dan schijnt de zon reeds ondergegaan te zijn, 1 de rotsen liggen in de schaduw. Toch geeft • de zon aan bergen en rotsen behalve het ; diepste zwart nog andere kleuren ; laat uwe 1 oogen langzaam omhoog zien, bij de rotsen op, dan zijn ze chocoladebruin, purper, violet, sepia en rosé en heel in de hoogte raken veigulde randen den blauwen hemel aan. < „Soms komen de bergreuzen,” zoo schrijft L. Schneller verder, „heel dicht tot elkander, zoo dat de spleet loodrecht in de diepte gaapt. Het geruisch van de beek klinkt dan als het ruischen van geweldige stroomen” (omdat het geluid in een enge ruimte is opgesloten). „Niets ontbreekt dan alleen een gewelf, van berg tot berg gespannen, om ons te kunnen verbeelden, dat wij ons in een tooverpaleis van eene andere wereld bevinden, waarin men niet weet van de kleine afmetingen van menschelijke hutten. Reusachtige scheuren en zwarte openingen van holen zijn over de geheele lengte der rotsen te zien”. Hier ergens moet zich dan Elia hebben verborgen toen Achab hem vervolgde. De plaats is inderdaad niet slecht gekozen. Wie sou de profeet daar gezocht hebben! Het v was van Samaria af een nog al lange reis. v „Op deze plek, zoo akelig naar, * Toefde Elia als kluizenaar. Achabs toorn, Izebels haat e Deden hier hem heel geen kwaad. t Hoe stil en naar het hier ook is, y Elia kende geen gemis; De raven brachten hem zijn brood, Terwijl de beek hem water bood1” e Het is te begrijpen dat in den bloeitijd van t het kluizenaarsleven duizenden kluizenaars in I leze afgelegen holen en spelonken zich nestel- v Jen, om er als Elia te wonen en afgesloten h van de wereld, ver, ver van hunne zorgen en a genoegens, hunne talenten „m den zweetdoek I te begraven”. Nog zijn er van dergelijke v mannen, want een eind verder bij een krom- z ming van den weg, waar het dal in eens r breeder wordt, ziet men aan den overkant z een klooster ter halver hoogte van den berg- l< wand als aan de rots vastgeplakt. Het is het z Georgeklooster. Eenige dozijnen Grieksche c monniken brengen hier hun leven in de grootste afzondering door.” Dat zijn dus andere man- ï nen dan Elia; die bleef niet altijd in een 1 spelonk aan de beek, maar ging waarheen 1 God hem zond om waarlijk een dienstknecht c Gods te zijn. Het klooster is wit en glinstert 1 als een tooverslot onder dreigend overhangende s rotswanden naar beneden in het dal. Hoe ] men het zoo hoog aan de rots heeft vastge- 1 plakt gekregen ? Wel, beneden uit het dal 1 zijn geweldige stutmuren gebouwd, en daarop 1 rijen van vensters en balkons ; daarachter een koepel met het kruis. Onder in het dal is J een cijpressentuin en een brug over de beek, s die naar het klooster voert. „Een wonderbaar 1 vreedzaam beeld in de akelig wilde rots- t woestijn.” 1 Ik heb eens een plaat gezien, waarop aan ( een sterken kabel een groote mand hing, r waarin een viertal monniken bij een rotswand l naar boven werden geheschen. Dat was het 1 eenige middel om in een dergelijk klooster l te komen, dat ook in de omgeving gevonden e wordt. In bijgeloof en overdreven mystiek c kunnen menschen soms zeer vreemde dingen doen en dan nog wel in de meening Gode te c eeren. f Van het Georgeklooster zegt Schneller : „Ik c trok mijn revolver en loste eenige schoten, s Als verwijderd kanongebulder klinkt de echo 1 van rotswand tot rotswand. Maar ook anderen hebben de echo gehoord. In het witte slot aan den overkant komt leven Eenige monni- i ken verschijnen op het balkon. Zij zien met 5 verwondering naar ons. Klein als vliegen ( zien zij er uit. En nu, luister! Door het wilde t rotsdai klinken liefelijke toonen als een lof- 1 zang tot God uit de diepte. Het klooster- s klokje luidt langzaam en plechtig, en zijne 1 zilveren tonen trekken door deze reusachtige, < donkere rotsmassa’s als een avondgebed.” ’ „Hoe geheel anders zijn toch deze aloude s werken Gods dan de in puin verzonken wer- ( ken der menschen ! Het is een beeld van de ’ heerlijkheid Gods, als Schepper, dat zich in 1 oorspronkelijke majesteit voor onze oogen j uitbreidt. Wat schept God, als spelend, toch ; schoonheden, waarvan wij menschen met ons I praktisch begrip van nuttigheid het doel niet 1 begrijpen, schoonheden van reusachtige groot- 1 heid. Slechts zelden geniet een oog, dat met 1 verstand rondziet, deze zwijgende pracht. 1 Toch heeft God ze geschapen sedert vele dui- 1 zenden jaren, en verheugt er zich in. Hij schijnt er van te houden Zijne grootsche ; ■ werken somtijds op de eenzaamste plaatsen ten toon te spreiden. De zwijgende heerlijk heid der Alpentoppen, als het morgenrood er purpere vlammen op ontsteekt, en de reus achtige rotspracht in de diepten van het ge bergte ziet Gods kunstenaarsoog iederen dag. Maar slechts zelden komt daar een menschen- kind, en beschouwt het als eene raadsel achtige verschijning wier geheim het sterfelijk oog niet kan begrijpen.” Dit is treffend juist gezegd. Hoe klein voelt de geloovige zich in de bergwereld, in holen en grotten, in spelonken en diepe dalen waarin de wateren ruischen, of op de hoogten waar sneeuw en ijs zulk een overweldigenden indruk maken. Hoe groot is in zijne oogen, daar vooral de Schepper van hemel en aarde! Wij stemmen dan ook van harte metSchneller in, als hij (bladz. 87) verder schrijft: „Wij verstaan hier echter de psalmzangers van het Oude Testament, die eens door deze dalen gegaan zijn, en die de geheele schepping, de bruisende zee, de zwijgende woestijn, de schietende bliksemstralen, de adelaars in de rotsnesten, de dampende bergen en het diepe dal opriepen tot den lof van God (Psalm 19, 104 en 148). Voor hen zijn er geen onver staanbare stemmen in de natuur (Ps. 19 : 4). Overal zien zij verhevene, tot aanbidding wegsleepende doeleinden : de ontvouwing der wijsheid en majesteit Gods, den lof van Zijne grootheid en heerlijkheid. „Heere, hoe groot zijn Uwe werken; zeer diep zijn Uwe gedachten.” Zij hooren met een verheugd oor in deze duizendvoudige schijnbaar verwarde stemmen der natuur het groote Hallelujah, dat uit de diepste kloven en van de hoogste Alpentoppen der aarde als een bruisende symfonie uit de diepte opstijgt en zich met het gejubel der hemelsche heirscharen en dat der zalige men- schenkinderen vereenigt: Gloria in excelsis 1” (Wordt vervolgd.) zien, zoo’n herder, dien schoonen naam waar dig ; hebt gij hem zooeven niet als met uwe oogen aanschouwd, toen de Heiland hem in het u voorgelezen Schriftgedeelte teekende ten voeten uit ? Ja, gij zaagt hem, dien ech ten en rechten herder, zooals hij zijn schapen bij name kent en bij name roept; vóór de scha pen uitgaat en door de schapen gewillig ge volgd wordt; en zulk een hart vol liefde en teerheid heeft voor de kudde, dat hij, wierd het van hem gevraagd, zijn leven vóór de schapen zou stellen. >) Of zegt gij tot mij in stilte, dat de Heere Je zus daar teekende zijn eigen beeld; dat Hij, Hij zelf die Herder is, van wien Hij zooveel kostelijks getuigde, de goede Herder, de eenig goede, door allen die de zijnen zijn te aan bidden tot in eeuwigheid? Ik stem het u toe. Maar de Heere onze God heeft dan toch de herders dezer aarde geschapen en geformeerd, en hen met zulk een teeder herdershart begiftigd, opdat zij in hunne zwakke mate een beeld van dien éénigen Herder zouden zijn. En zóó nu ook, als de Heere door den dienst van Jeremia aan zijne duurgekochte kerk op aarde belooft: herders zal ik u geven; dienaren des Woords, wier schoonste naam de naam herder zal zijn; dan wil Hij tegelijk, en dan zegt Hij toe er voor te zullen zorgen dat de schoonheid, dat de heerlijkheid van dien naam „herder” daarin zal uitkomen, dat de dienaren van zijn Goddelijk Woord echte en rechte herders zich zullen toonen; zich spiegelende aan die trouwe herders, van wie de Heilige Schrift ons de gedachtenis ver nieuwt, en zich tot hun volmaakt Exempel stellende dien grooten Herder der schapen, die door het bloed des eeuwigen Testaments uit de dooden is wedergebracht; en die reeds vóór zijn dood en zijn bloedstorting met ma jesteit betuigen kon: Ik ben de goede Her der, de goede Herder ben Ik! Dat nu de Heere onze God aan zijn kerk belooft voor herders te zullen zorgen, die niet dragen dien schoonen, heerlijken naam, en de kracht van dien naam metterdaad ver loochenen, huurlingen zijnde, die geen hart en dus geen zorg voor de schapen hebben, Hij spreekt het nadrukkelijk uit als Hij be tuigt : Ik zal u herders geven naar mijn hart Herders naar mijn hart. O, zóó wordt die schoon e naam nog schoon er; zoo gaat hij tin telen van leven; zoo doet Hij ons uitroepen: Heere, groote God! wilt gij zulk een eere be wijzen aan een nietig menschenkind, dat gij het stellen wilt tot een herder naar uw hart; tot een herder niet slechts naar het hart van de kudde; want die kudde kon wel eens iets anders van haar herder begeeren dan Gij van hem vraagt; neen, van een herder naar uw hart, hem bevoorrechtende en ver waardigende met die genade en met die ga ven, die hem in staat stellen een herder te zijn, op wien uw Goddelijk oog met welge vallen rust? Ja, zegt de Heere: zulke herders beloof Ik aan mijn kerk te geven, aan de kudde mijns heven Zoons, aan de schapen en lammeren van den Goeden Herder: herders naar mijn hart. Wat dunkt u nu, medebroeders in de heilige bediening, wat dunkt u nu, toekomstige die naren van het Goddelijk Woord, geliefde jongelingen, die opgeleid wordt tot het tref felijks! ambt dat zich op aarde denken laat; kan de Heere ons noemen met schooner naam dan dezen : herders naar mijn hart ? En nu nog eens: de Herder naar zijn hart was en is Jezus Christus, onze Heere, en zijn herdersbeeld sta ons gedurig voor oogen, opdat wij te ééner zijde mogen gevoelen eigen kleinheid, eigen onwaardigheid, eigen zonde en gebrek; maar ook te andere zijde er naar mogen jagen of wij het ook grijpen mo gen : zijn beeld, zijn herdersbeeld te vertoonen in het leven en in het midden van de kudde, voor wier aangezicht wij ingaan en uitgaan. Laat ik bij voorkeur op een tweetal trekken van dat beeld, van dat herdersbeeld u mogen ' wijzen, zooals ze kennelijk op den voorgrond ' traden bij twee uitnemende herders uit de dagen des Ouden Verbonds; bij herder Jakob en herder David. De herder naar Gods hart moet, om mij nu : maar bij deze twee te bepalen, de teerheid , van een Jakob bezitten en de dapperheid van ' een David. De teerheid van een Jakob Hoort herder : Jakob zeggen tot Laban : „Ik ben geweest, ! dat mij bij dag de hitte verteerde en bij , nacht de vorst; en dat mijn slaap van mijne oogen week.” De dapperheid van een David. Hoort her- ' der David spreken tot Saul: „üw knecht 1 weidde de schapen zijns vaders, en er kwam 1 een leeuw en een beer, en nam een schaap van de kudde weg. En ik ging hem na, en ik redde het uit zijn mond, toen hij tegen 1 mij opstond vatte ik hem bij zijn baard, en sloeg hem, en doodde hem. Uw knecht heeft 1 zoo den leeuw als den beer verslagen.” De teerheid van herder Jakob en de dapper- heid van herder David, wij kunnen ze niet 1 missen, zoo wij inderwaarheid herders der j kudde wenschen te zijn. Maar óók, bezitten wij die beide, zij het dan ook in beginsel, en J worden ze geheiligd door godsvrucht, en ge- * adeld door liefde tot den beminnelijken Za- ‘ ligmaker, de Heere onze God, als Hij ons 1 geeft aan zijne gemeente, en dan tot die. gemeente zegt: ziehier een herder naar mijn 1 hart; Hij noemt ons met een volheerlijken ( naam. En is die herdersnaam reeds heerlijk; wat dan te zeggen van der herders taak ? Komt en ziet met mij hoe die herders naar Gods harte te volbrengen hebben een voortreffelijk 5 werk. i (Wordt vervolgd.) c i ’) Voorgelezen was Joh. 10 : 1—11. \ Zending. 1 Uitslag der verkiezingen. ] Een van de stormrammen, welke door de linksche partijen gebruikt zijn om het regee- i ringskasteel te veroveren, is geweest de ge- I vaarlijke politiek der rechtsche regeering in- 3 zake het onderwijs in Indië en de begunstiging ' der zending. Mr. van Deventer heeft zich vooral in deze beijverd. En hij was een man, die scheen te j mogen gehoord worden; een man, die Java , en Madoera doorkruist had, en dus met eigen ’ oogen de fouten der regeering kon opgemerkt hebben. s Maar zijn naaste komt en onderzoekt hem. ' Nu niet iemand van rechts, maar iemand die ( links staat, een liberaal, mede-redacteur van J het „Soerabajasch Handelsblad”, Mr. J. F. ( Dijkstra. En iemand, die nog veel meer in alle richtingen onze Oost doorkruist heeft ( dan Mr. van Deventer. Hij dient zich aan als. een onbevooroordeeld publicist, die onder het ; verband van geen enkele partij wil staan. ’ De Nieuwe Courant riep alle oud-Indische gasten, die in den Haag wonen, op om den ’ strijd tegen het kabinet-Heemskerk mee te- strijden; om een einde te maken aan dit. kabinet, dat Indië in gevaar brengt. ' Mr. Dijkstra komt nu met nadruk op tegen de beweringen van de Nieuwe Courant. Hij ‘ releveert drie punten. 1. Onder het coalitie-regime sou de ver draagzaamheid zoek raken, strikte onzijdig heid in het gedrang komen. En dat, door verschillende maatregelen der Regeering in zake onderwijs voor inlanders en bevoor rechting der zending. Mr. Dijkstra verklaart uitdrukkelijk nergens iets bespeurd of vernomen te hebben van bovenstaande bewering. „Van onverdraagzaam heid bij de Regeering is mij niets gebleken; evenmin van partijdigheid inzake onderwijs.” „Nergens bleek mij ook maar iets, wat wijzen zou op onvrijheid in ’t belijden van iemands godsdienst, of drijven door zendelingen.” „De feiten spreken anders.” Op het argument der N. C. dat Minister Fock in der tijd 1000 scholen had toegezegd, terwijl er nu nog niet meer dan 700 zijn, antwoordt Mr. D. dat be loven nog iets anders is dan geven; minister Fock zelf gaf al bitter weinig; zijn opvolgers veel meer. Ook bestrijdt hij het beweren dat het peil van de dessa-scholen verlaagd wordt ten bate van de bizondere scholen. De bizondere scholen, ook die der zending, toonen vaak beter de eigenaardige behoeften der be- o lkingtekennenbijv.inambachts- enlandbouw- onderwijs. Mr. van Deventer prees niet ten onrechte de ambachtsscholen te Modjo-Warno, Kediri en Swaroe. 2. De bevolking zou onder dit regime voor de keus gesteld worden tusschen gebrekkige dessa-scholen en de betere Christelijke zen dingsscholen, en dat met de bedoeling om haar tot het Christendom te bekeer en .... Nu wijst Mr. Dijkstra op het zeer kleine aantal zendingsscholen en het enorme aantal dessa-scholen en Mohammedaansche scholen, bijv, in Djapara en de Preanger Regentschap pen. Waar is hier de keus ? vraagt hij: „Weet gij, meneer de redacteur, wanneer deJavaan- Soendanees deze zendingsscholen kiest ? Als hij ziek is, om daar liefderijk te worden ver pleegd ! Ik ken menschen, die ik u gaarne bij name noem, die dergelijken zendingsarbeid geldelijk steunen, en toch groote bijdragen afstonden voor de concentratie-kas!” 3. Tegenover dergelijke actie van onver draagzaamheid en partijdigheid, zou de reactie reeds tot uiting komen in de woelingen van Sarekat Islam. ,. Mr. Dijkstra beweert dat zulke beweringen fabels zijn. Die geestesrichting van de Sarekat Islam dankt haar oorsprong niet aan eenige daad der Indische regeering, maar aan Mekka. Dus aan het fanatisme van den Islam zelf. De meeste gisting bespeurt men in de Pre anger Regentschappen, waar maar een achttal zendingsschooltjes bestaan, die zich vooral met ziekenverpleging ophouden, gelijk boven reeds gezegd is. Hij noemt verder een plaatsje in het hartje van de Preanger, waar maar één zendingsschooltje is onder een kalm, practisch man. Uit deze vertrokken het vorige jaar 2500 menschen naar Mekka, en dit jaar gaan er wel tweemaal zooveel. En wie hoorde op zulke plaatsen ooit van drijverij der Chr. re geering en zendings-fanatisme ? Ook de Regent van Djipara — Raden Mas Toemengoeg Otajo, een inlander-Mohammedaan — was van dat gevoelen. Mr. Dijkstra had over allerlei aangelegenheden met hem ge sproken, doch op de onderwijs-actie der Chr. regeering had hij niets aan te merken. Ook in streken, waar nooit een zendeling komt, spreekt men van de Westerlingen als ongeloovige honden. En dan eindigt Mr. Dijkstra aldus : „Mekka, ziedaar, volgens mij, het groote gevaar!” Deze getuigenissen zijn van groot belang. Er blijkt bij vernieuwing uit van hoeveel waarde de beschuldigingen tegen onze Christelijke regeering in Indie moeten geacht worden. Voor de zooveelste maal wordt er door beves tigd dat politiek en innerlijke afkeer van de Christelijke religie de drijfveeren geweest zijn tot omverwerping van het tegenwoordig be- , wind. God behoede ons Insulinde voor de schade lijke gevolgen daarvan, en leere ons daartoe ook ons gebed te vermenigvuldigen. Ds. Ingwersen terug. I In een der kerkgebouwen van de gemeente : van Utrecht, waar ook gedeputeerden der ; medewerkende classes (van Utrecht en Gel derland) tegenwoordig waren, werd Ds. Ing- i wersen bij zijn terugkomst in het Vaderland ' verwelkomd. Ds. Klaarhamer zei o.m.: „Door Gods ge nade en door zijnen kennelijken zegen is, naar het eenstemmig oordeel van hiertoe bevoegden ons zendingsterrein een der meest bloeiende en meest belovende op Midden-Java. Voor u gelijk voor ons is het een smartelijke teleurstelling, dat van alle pogingen, in de laatste 2 jaar tot 12 maal toe herhaald, om een Christengeneesheer te vinden, die den Heere in de zending op ons terrein dienen kon en wilde, tot heden niet ééne is geslaagd.” Ds. Ingwersen zelf dankte niet alleen voor de liefelijke en verrassende ontvangst hem nu bereid, maar ook voor de mildheid waarmee de kerken in de behoeften van den arbeid voorzien, en voor haar liefde en voortdurend gebed, waarmee zij hem en den arbeid hadden gesteund. Deze broeder werkt met een staf van 18 helpers. Van al die helpers, en van de Ja- vaansche gemeenten, waar hij werkt, brengt hij de groeten over aan „de groote gemeente van Utrecht” (zooals de Javaansche Christenen haar noemen). Verder verhaalde hij van den arbeid met zijne eigenaardige bezwaren, maar waarin ook zooveel is, dat verblijdt en bemoedigt en tot dank stemt. Enkele treffende feiten en uit latingen deelde hij mede, waaruit blijkt dat er waarlijk een geestelijk leven onder de Christenen aldaar gevonden wordt. Ook drong hij aan op krachtige bearbeiding der priajis (de aanzienlijken). Er is bij velen ; hunner een geest van toeneiging. Zij begeeren ] onderwijs en kennis. Ook moet de kleine man geholpen met onderwijs, met medische ; hulp, en ook met ernstige pogingen, om hem i betere levensvoorwaarden te verschaffen, op dat hij verlost worde van zijn armoede met ’ al de gevolgen daarvan. ; Overheid en zending moeten, volgens hem, elkander stemmen. Dit kan en is in ’t be- ; lang van de bevolking. Zulk samenwerken is ( ook voor de Overheid van belang o.a. ook ( tegenover de gevaarlijke beweging van den i Sarekat Islam. ( De Adsistent Resident dankte Ds. Ingwer- 1 sen bij zijn vertrek voor zijn arbeid en ver- < klaarde, dat hij overtuigd was geworden, dat de zendingsarbeid goed was voor de bevolking, t Ook onder de Mohammedaansche bevolking < zijn er velen, die warme waardeering voor onzen arbeid uitspreken en bewijzen, o.a. de l Regent, die hem en zijne echtgenoote voor zijn 1 vertrek te logeeren vroeg .... a Ds. I. schijnt dus niet zonder zegen gear beid te hebben. Wij hopen dat hij, na een <. tijd van rust, met goeden moed tot zijnen arbeid te Poerworedjo zal wederkeeren. y TT E. Kerk en School. Algemeene Vergadering der Nationale Vereeniging voor Geref voorbereidend Hooger Onderwijs, te Kampen, gehouden te Utrecht 10 Juli 1913. Op verzoek van den Voorzitter, Prof. L. Lindeboom, opent Ds. B. van der Werft de vergadering, die daartoe laat zingen Psalm 119 vs. 3, voorgaat in gebed, en leest Psalm 127. Hij wijst er op, dat Salomo ons in dezen Psalm leert, dat aan den zegen des Heeren alles gelegen is. Zonder dien zegen is alle arbeid tevergeefs, vruchteloos, ijdel. Er wordt zooveel ondernomen, dat mislukt; zooveel ge bouwd en niet voltooid. De wereld schrijft dat toe aan toeval of noodlot. Salomo zegt ons, dat ’t ligt aan den zegen des Heeren. Op zichzelf is arbeiden en bouwen en maken niet af te keuren, maar we moeten er niet op vertrouwen. Om den zegen des Heeren deelachtig te worden, moet er gebeden en gewerkt worden. Dat geldt ook van ons Gymn., van hare Leeraars en leerlingen zoowel als van hare Curatoren. Er moet aan en voor ons Gymn. worden gewerkt. En die arbeid moet zijn naar Gods Woord. In Godes wegen Godes zegen. Tot hiertoe heeft de Heere onze stichting gezegend en ten zegen gesteld. Wel is waar slaagden niet alle jongelieden voor ’t eindexamen, maar toch is er deze lichtzijde, dat vier van de vijf geslaagden hunne studie hopen voort te zetten aan de Theol. School. We moeten niet vergeten, dat onze Vereen, ten doel heeft: bevordering van het Gereformeerd voor bereidend Hooger Onderwijs, inzonderheid voor de opleiding tot den dienst des Woords, uit gaande van dé Geref. Kerken in Nederland. Ons Gymnasium wenscht jonge mannen te vormen, die niet beschaamd worden, als ze straks zullen spreken met de vijanden in de poort. Pijlers moeten ze zijn, goed gescherpt, degelijk onderlegd in de beginselen naar Gods Woord; pijlen, die recht op ’t doel afgaan; we moeten jonge mannen hebben, die beslist zijn in hun doen en laten. Pijlen in de hand eens heids, instrumenten in de hand des Heeren, strijders voor de eere Zijns Naams. Met den wensch, dat we ook op dezen dag mogen worden opgewekt tot bidden en werken, en dat de Heere rijkelijk zegene, besluit spreker zijn inleidend woord. Het gedrukte Jaarverslag wordt onder dank zegging goedgekeurd. De Penningmeester, de Heer K. v. d. Burg, brengt verslag uit, waarna de Finantieële Commissie bij monde van den Heer Koomen rapporteert, dat zij de administratie en de daarbij behoorende stukken heeft nagezien en accoord bevonden en de verg, voorstelt den Penningm. hartelijk dank te zeggen voor zijn net en accuraat werk en hem te dechar- geeren. Ds. van der Werff merkt op, dat onder scheidene afdeelingen in gebreke bleven de Contributie te betalen. De Penningm. geeft hierover eenige inlichtingen. De Voorzitter spreekt namens”de vergade ring den hartelijken dank uit aan denPenningm. en de Finant. Commissie voor hun arbeid ten bate der Vereen, verricht. Hij wijst er nog op, dat straks de subsidieering van de Kerken ophoudt, en dringt er op aan te zorgen, dat het aantal Contributie’s verhoogd worde. ■ De Secret. doet daarop eenige mededeelin- gen ; onder andere deze: a. dat op verzoek van het Bestuur der Vereen, voor Christelijk Middelb. en Voorber. Hooger Onderwijs te Groningen, een tweetal afgevaardigden werden benoemd, om 14 Juli a.s. met afgevaardigden van andere Christel. Gymnasia het oprichten van ’n bond of ver eeniging van al de Christel. Gymn. in ons land te bespreken. De zaak moet heden be sproken worden. b. Dat de Heer S. P. Dee, Candidaat in de Theologie, weder voor ’n jaar benoemd is om les te geven in het Hebreeuwsch. c. Dat moet besloten worden, om namens de Vereeniging bij den Minister aan te vragen de aanwijzing van ons Gymnasium, d.w.z. de aanwijzing, dat ons Gymnasium de bevoegd heid heeft ’n getuigschrift van bekwaamheid tot Universitaire studiën af te geven, vermeld in art. 11 der wet op het Hooger Onderwijs. d. Dat de Heer Ebling een benoeming aannam tot Leeraar aan de Christel. Hoogere- Burgerschool te Amsterdam, en tegen 1 Sept. a.s. eervol ontslag heeft aangevraagd en ver kregen. In zijn plaats is benoemd de Heer G. R. Bax, doctorandus in de Nederl.-letterkunde aan de gemeentelijke Universiteit te Amsterdam. e. Dat voor het eindexamen, in tegen woordigheid der gedelegeerden van den Staat 5 Candidaten van de 8 slaagden. Wat betreft het onder punt a genoemde, zegt de Voorzitter, dat Groningen voorstelt een bond te vormen op den grondslag van Gods Woord. Op zulk ’n grondslag kunnen wij ons niet plaatsen. Het gevoelen van Curatoren is, dat we tot grondslag moeten hebben : het Woord Gods, nader verklaard in de formulieren van eenigheid. Ds. Vogelaar vraagt naar het doel der op te richten vereeniging; de Secret. zet dat doel nader uiteen. Omdat de verg, geheel ’n voorbereidend karakter zal dragen, wordt het voorstel van het Bestuur om ’n tweetal afgev. te zenden, aangenomen. Ook wordt besloten tot het onder punt c genoemde. Tot leden van de Finantieële Commissie worden benoemd, de Broeders: F. van Berge te ’s Hertogenbosch, D. Eggink te Amersfoort en J. Koomen te Delft. Verkiezing van Curatoren. De uitslag der stemming is, dat voor Groningen zijn herkozen: Ds. J. Kok te Bedum, primus, Ds. P. Bos te Delfzijl, secundus; voor Friesland: Ds. B. v. d. Werff te Har- lingen, primus, Mr. D. Okma te Leeuwarden, secundus; ter vervanging van ’n primus curator voor Noord Brabant (wegens vertrek van Dr. T. Hoekstra) wordt gekozen Ds. W. Bosch te Almkerk; tot secundus curator voor Noord-Holland (wegens bedanken van Dr. Pepping): Ds. R. W. Huizing te IJmuiden. De Voorzitter zegt daarna dat, tot zijn leedwezen, Ds. Kok, wegens te overvloedige werkzaamheden moest bedanken als Secretaris wan de Commissie van Toezicht. Dit doet ons leed; we hadden in hem ’n ijverigen Secretaris. Op voorstel van den Voorzitter besluit de verg. aan Ds. Kok op de meest eervolle wijze het gevraagde ontslag te verleenen en rem hartelijk dank te zeggen voor het vele, lat hij voor onze Vereen, heeft gedaan, laarbij den wensch uitsprekend, dat we Ds. Kok nog lang als curator mogen behouden. Curatoren stellen voor: Mr. van den Oever :e Kampen te benoemen. Dr. Westerhuis /an Kampen vraagt, of we dan niet in strijd net de Statuten handelen; er moet ’n twee- ;al zijn. Er wordt ’n tweetal geformeerd, waaruit Mr. van den Oever wordt gekozen. Bij de rondvraag wijst een der afgevaar- ligden van de afd. te Harlingen er op, dat >r toch getracht worde om meer jongelieden zan het Gymnasium aan de Theol. School te loen studeeren. De Voorzitter zegt daarop, lat al de broeders zich moeten beijveren, om >ns jongelieden te sturen, die tot het predik- imbt wenschen te worden opgeleid. Tot ;ijne blijdschap kan hij meedeelen, dat de Merkelijke kassen beginnen met ons Gym- ïasium te rekenen. Nadat de Voorz. nog den dank der ver gadering heeft gebracht aan den Rector en de neeraren van het Gymnasium voor hetgeen ;e hebben gedaan, treedt Ds. Kouwenhoven mor ons op met zijn referaat, dat tot onder werp heeft: „De vreeze des Heeren het jeginsel der wijsheid.” Hij zegt ons, dat dit voord ons program behelst, en beantwoordt ;en drietal vragen: a. Wat is de vreeze des leeren ? b. In welk verband plaatst de H. Schrift deze met de wijsheid ? c. Welke be- eekenis ligt hierin voor ons Gymnasium ? Op dit kostelijk referaat, ’t welk op verzoek Ier vergadering in zijn geheel in het Jaar verslag zal worden opgenomen, volgde een tangename gedachtenwisseling. Den referent vordt hartelijk dank gezegd. Na een slotwoord van onzen Voorzitter, vaarin de wensch wordt uitgesproken, dat God rns allen sterke tot de vervulling onzer oeping ook in ons maatschappelijk leven en lat de Heere ons Gymnasium nog ten rijken egen stelle voor de Theologische School, vordt gezongen Psalm 25 : 6 en gaat Ds. Vogelaar voor in dankzegging en gebed. B. VAN DER WERFF, Harlingen, 14 Juli 1913. 2e Secret. Naar Groningen. Ditmaal leidt de weg der „Jachinieten” naar het Noorden. De broeders worden er met blijdschap verwacht. En de noodige voor bereiding tot de ontvangst is door liefderijke en vaardige handen reeds genomen. Schenke de Heere ons daar een belangrijke en geze gende samenkomst. Groningen neemt in Ja- chins Ledenlijst een eervolle plaats in, door een zeer breede reeks van broeders en zus ters, die zich als lid der Gereformeerde Zon- dagsschoolvereeniging lieten inschrijven. En broeder A. Boot betoont zich de bekwame en ijverige dirigent van dit gezelschap. Er is in Groningen blijkbaar in wijden kring belang stelling voor den arbeid der Evangelisatie ook door de Zondagsschool. Dat wekt levende hoop, dat de Groninger Jaarvergadering ook een eereplaats onder haar zusters zal innemen. Als de machine onder stoom staat, kan er kracht worden ontwikkeld. Door ongesteldheid van den eersten Secre taris kon het Agendum niet volledig worden opgemaakt. En toch was het de tijd, om het te verzenden. Onze Secretaris heeft het scheepke toen maar, voor zoover hij het op- tuigen kon, in zee gestuurd. Thans zijn wij in de gelegenheid een volledig Agendum te geven, waarin ook de stellingen der beide re ferenten zijn opgenomen. Ze mogen alsnog welwillend ontvangen en aandachtig over wogen worden. Agenda voor de 39ste Algemeene Verga dering, te houden op Woensdag 23 Juli 1913 in de Zuiderkerk te Groningen. i Orde der Vergadering. a. Teekenen der presentielijst. b. Opening der Vergadering door den Voor- ' zitter. 3 c. Mededeelingen ; verkiezing van drie Be- c stuursleden en van twee Secundi. d. Verslagen van de Secretarissen. e. Verslag van den Penningmeester en Rap- z port van de Commissie, die de admini- ' stratie nazag. f. De beteekenis van het Congres voor Ge- * reformeerde Evangelisatie, 8 en 9 Aprilte I Amsterdam gehouden, toespraak door den a lsten Secretaris van het Congres Ds. J. P. ® Tazelaar. g. Referaat van Ds. G. Wielenga te Zwolle. s h. Referaat van den Heer P. Oranje. 11 i. Rondvraag en sluiting. ( N.B. De volgorde der onderwerpen wordt gewijzigd, zoo de Voorzitter dit C noodig keurt. 2 s Mededeelingen. 1. De Algemeene vergadering wordt voor- E bereid door een bidstond op Dinsdag- n avond 22 Juli, waarin D.V. de Hoogge leerde Heer Prof. Dr. F. W. Grosheide zal voorgaan; hij wordt gehouden in de Westerkerk en begint te acht uur. 2. De Algemeene vergadering is toegan kelijk voor alle belangstellenden; zij vangt te tien uur aan. 3. In de pauze, waarvan aanvang en duur na de opening der Algemeene Vergade ring zullen worden medegedeeld, zal gelegenheid worden geboden tot gebruik van koffie en brood. Wie aan den ge- meenschappelijken maaltijd deel wenscht te nemen, melde dit vóór 14 Juli, met toezending van één gulden, aan den Weled. Heer A. Boot, Hoofd eener Chr. School te Groningen. 4. Aan de beurt van aftreding als bestuurs leden zijn de brs. J. N. Lindeboom, J. P. Tazelaar en P. Oranje. 5. De stemgerechtigde afgevaardigden en de correspondenten, die de Algemeene Ver gadering bijwonen en haar niet, dan met verlof van den Voorzitter, voor het einde verlaten, ontvangen de helft terug van hun reiskosten, berekend naar de le klasse van de boot en de 3e klasse van het spoor, mits zij daarvan schrifte lijke en behoorlijk onderteekende opgave doen. (Verblijfkosten zijn voor hun re kening.) Eindelijk herinner ik er nog aan, dat men intijds (dat is vóór 14 Juli) aan den Heer A. Boot opgeve, a. of men gebruik wenscht te maken van de gelegenheid, om bij vrienden (dat is: gra tis) nachtverblijf te erlangen, er meteen bij vermeldende, of de aanvraag betrekking heeft alleen op den nacht vóór of ook op dien na de vergadering; het is gewenscht, dat afgevaardigden aan broeder Boot bericht zenden, met welken trein zij komen, dan kunnen zij aan het Station worden afgehaald; b. dat de stemgerechtigde afgevaardigden, liefst vóór den aanvang der vergadering, de presentielijst teekenen met vermelding van de afdeeling of corporatie, die zij vertegenwoor digen. c. dat er ook voor belangstellenden een pre sentielijst zal liggen, alsook een lijst, waarop men zich als lid van „Jachin” kan opgeven. [De contributie is ten minste 50 ct. per jaar). STELLINGEN voor het referaat van Ds. G. Wielenga over de vraag: Op welke wijze behoorennieuwe Zondagsscholen gestichten be staande uitgebreid te worden? 1. Door den ontwakenden ijver voor de Evangelisatie is ook de Zondagsschool een lieuw tijdperk van ontwikkeling ingetreden, en is de vraag, hoe zij haar taak het best kan verrichten, bevestigd en uitgebreid kan wor den, van oogenblikkelrjk belang. 2. Nieuwe Zondagsscholen kunnen gesticht worden door persoonlijk initiatief, doch dan heeft men de aldus gestichte terstond in goed verband met den kerkdijken Evangelisatie- arbeid te brengen. 3. In den regel behooren nieuwe Zondags scholen gesticht te worden door de daartoe kerkelijk aangewezen commissie van Evange lisatie. 4. Bij het stichten van nieuwe Zondags scholen behoort niet alleen gelet te worden op buurten, waar tot nu toe niet werd gear beid, maar ook op klassen van personen die tot dusver ontoegankelijk bleven. 5. De bestaande Zondagsscholen behooren bevestigd en uitgebreid te worden : a door haar de plaats te verzekeren, waar zij staan moeten en waar zij recht op hebben; b door de oorzaken weg te nemen, die haren bloei nu belemmeren; c door indirecte en directe propaganda. STELLINGEN voor het referaat van den eersten Secretaris over: De vertelling op de Zondagsschool. 1. Het doel van de Vertelling op de Zon dagsschool is: de leerlingen bekend te maken met den eenigen waarachtigen God en Jezus Christus, dien Hij gezonden heeft. 2. Zij wordt voorbereid door nauwkeurige lezing en inprenting van den tekst en het Psalmvers en bevestigd door terugvragen en de lezing van de Heilige Schrift. 3. Zij behoort aan de zijde van den onder wijzer voorafgegaan te worden door aandach tige lezing en overdenking van den Bijbel en de Toelichting en wat daaraan kan worden toegevoegd. 4. Zij moet naar vorm en inhoud verband houden met den leeftijd en de ontwikkeling der leerlingen en heeft onder alles de ernstige roeping, het hart der jeugdige hoorders te treffen, opdat er besef van ellende en behoefte aan verlossing gewekt worde. 5. Zij zal onder den zegen des Heeren beter aan haar doel beantwoorden, naarmate er een hartelijker en vertrouwelijker betrek king tusschen onderwijzer en leerlingen be staat. 6. Ook voor dezen arbeid geldt de betui ging der Heilige Schrift, dat Paulus vruchte loos plant, en Apollos tevergeefs nat maakt, zoo God niet zelf den wasdom geeft. ’t Is lang geleden, dat „Jachin” in Gronin gen vergaderde. En de roepstemmen uit het Noorden werden zoo dringend ! Daarom heeft het Bestuur gemeend, niet langer weerstand te mogen bieden aan de vriendelijke noodi- ging, maar ditmaal de broeders en zusters eens samen te moeten roepen in de schoone hoofdstad van het Noorden. Blijke nu de volgzaamheid der afgevaardig den, leden en belangstellenden ook uit de andere deelen des lands. Laten de onderwij zers en onderwijzeressen uit het Zuiden en midden zich nu eens een paar dagen vrijaf gunnen, om kennis te maken met de oude, roemruchte veste, en haar schoone omgeving. Zij kunnen zich verzekerd houden, dat zij zich thuis zullen gevoelen, want zij komen in de eerste plaats tot en om de Jaarvergadering van „Jachin”. Daar vinden ze immers van jaar tot jaar vele „oude getrouwen”, goede vrienden en bekende gelaatstrekken. Natuur lijk vinden zij er ditmaal eenige onbekende en nieuwe bij. Maar allen spreken onze goede, schoone Nederlandsche taal. Wordt onze ver wachting niet beschaamd, dan zullen het daar enboven wezen: woorden van waarheid en van gezond verstand. Groningen is een belangwekkende stad, het Sterrebosch is schoon. De Heere geve er ons een rijkgezegende samenkomst. Namens het Bestuur: Amsterdam P. Oranje. Juli 1913. P.ORANJIE Theologische School. In dank ontvangen: Van Albert Boen te Rouveen 2. Van Ds. N. Diemer te Dronrijp: de volgende collecten: Beetgum f 30,09, Berlikum f 24,16, Boxum f8,735, Dronrijp f 4,955, Eernewoude f 2,43, Hijlaard f8,805, Huizum f 13,455, St. Jac. Parochie f 5,74, Leeuwar den f 40,745, Oenkerk f 14,60, Suawoude f 5,25, Wartena f 4,075, Wirdum f 20,19. Door R. Eggink te Utrecht, van de Afdeeling Utrecht tot steun van de Theol. School f 30,—. De Penningmeester van de Theologische School, \ »« rv „ A. M. DONNER. Amersfoort, 14 Juli 1913. Kerknieuws. Tweetal gesteld door de gemeente te Donker broek Ds. H. Fokkens te Dwingeloo en J. G. Feenstra cand. Theol. School, door de gemeente te Bunschoten Ds. G. Doekes te Nieuwdorp en Ds. J. D. Heersink te Nieuweroord, door de gemeente te Oud-Loosdrecht Ds. G. J. Breukelaar te Sur- huisterveen en Ds. C. H. Elzenga te Woubrugge, door de gemeente te Wijckel en Balk (Fr.) J. G. Feenstra cand. Theol. Sch. en J. v. Henten cand. V. U. Beroepen door de gemeente te Wijckel en Balk (Fr.) J. v. Henten cand. V. U., door de ge meente te ’s Bosch Dr. J. G. Geelkerken te Epe, door de gemeente te Oud-Loosdrecht Ds. G. J. Breukelaar te Surhuisterveen, door de gemeente te Nieuw-Leuzen Ds. C. W. de Vries te 01de- boorn, door de gemeente te Hazerswoude Dr. C. N. Impeta cand. V. U., door de gemeente te Schip luiden Ds. W. S. de Haas te Tzummarum, door de gemeente te Ezinge Ds. M. A. v. Pernis te Heer- jansdam, door de gemeente te Ambt-Vollenhove Ds. C. J. Wielenga te Ruhrort.
sn84026788_1921-08-16_1_3_1
US-PD-Newspapers
Public Domain
/N horse show ion * Town r«e Show* 5ai find ither fgS stand hJfshow iwn, , fine view ‘oantry round. best, ourselves jr guests. exhibit grounds ,g at night sure is found, i fine day. state L. W. D. of Fairmont, cousin, Mrs. erica’s curse. To normal weight, rify the blood, use iters. Sold at all ; $1.25. ter times ahead. iig Auction Sale. rt monthly auctions sales days. Aren’t C. F. WALL. order for any kind it delivered at your C. F. WALL. IASER. lies away. If r money back, e at Brown & kanics, railroaders, pr. Thomas' Electk |ts, burns, bruises. | every home. 30c DRY SERVICE. by people have put [e having quick ser g and coming twice land Fridays. Bring [Sheets Oc, Spreads |k good time to hav e le now. C. X. BEARD. jan’s inspires confi Idney Fills for kid [ Ointment for skin Reguiets for a! Sold at all drug > see us if you want keep We have the [11 make you inter kem. We can fur flock or in carload C. Riely & Son. 13. I hogs, cattle, calves, Ifor sale write or |y top market prices stock at all times i to one and all for ame quality. I. C. Riely & Son. (3. I junk and sell it to ally getting TOR )RDS oi the v v ONES '4 Not Been * for a Long u v v * le. miller s Wm. A. R 215-13, ELY & SON fkrs in *H Kind*, i pool. Wfisterc;] Sp, phina Hops. fw*‘ » Spoci* ®w". W. Va. /5RlN^0DAY without r^l [weather ^ING- Mi Junk and Co's, 1UJRTETTE M a Junk & Coal iv. We.t V*. LOCAL BRIEFS. Public schools of the county wi] open on Monday, September 12. Mr. C. J. Cullers is handsomely improving his property on West Washington Street with fresh paint. We are glad to report the steady improvement of the little son of Rev and Mrs. Abner C. Hopkins, at Mansfield. Jefferson County's share of the $15,000,000 of State bonds to be issued by the State for good roads is $182,246, based on 71 miles of Clas A road. Our Contributor is indebted to Miss Mabelle Trussell for greeting received from Asbury Park, where she and her brother, Mr. Stanley Trussell, of New York, are spending a fortnight. The Ladies of the M. E. Church South, of Middleway, will hold a lawn party in the Church yard on Thursday, August 25, 1921. Proceeds to procure lights for the Church. The Annual Harvest Home Supplier for the Uviila Methodist Church will be served in the Hall at Uviila Thursday, August 25, from 5 to 6 o'clock. Refreshments will be served in the grove. Everybody welcome. Mrs. Katherine Woolley, formerly a resident of Ranson, is having a home built for herself on a lot bought at Friendship Park, near Halfway, Md. Mrs. Woolley has been living with her son, Mr. Otho Woolley in Hagerstown the past year or two. The Colored Horse Show of the Charles Town Colored Industrial Association will be held on the Horse Show Grounds on Wednesday and Thursday of next week, August 24 and 25. We are informed that the prospects are exceedingly bright for a big exhibition. The great tenor singer Enrico Caruso who died recently in Naples, Italy, was considered one of the greatest singers of modern times. He was born in Naples, Italy, February 25, 1876. Although dead, we can all enjoy his magnificent voice on the victrolas. This invention of musical instruments producing the sounds of the human voice seems almost miraculous. Mr. S. W. Link, who has been connected with the firm of Gink & Link, Clothing and Gents' Furnishing, Merchants of Charles Town for the last few years, will open up in the same line of Business in Strasburg, Va., this week. Mr. Link is popular here, where he has many friends, who have no doubt that his sound business principles, honesty, and many good qualities will result in his building up a thriving business in Strasburg. In order to settle the estate of the J. M. Miley, the real estate of the Miley brothers was sold at public sale in front of the Court House yesterday morning. The coal yard property, the Elevator property, the property on West Congress streets and two parcels of land near the N. & W. Station were bought by Messrs. C. E. and C. P. Miley, and the residence property at the Norfolk and Western station was bought by Mrs. J. M. Miley. Mice for the Farmville Normal School, Farmville, Va., class of 1920, and was a post-graduate student there the past year has been appointed to a position on the faculty of the High School at Farmville. Where she will teach English the coming year. Miss Heard is spending her summer vacation with her parents, Mr. and Mrs. C. N. Beard in Charles Town. The Central Garage, Charles Town has taken the agency for the Essex and Hudson cars. A handsome big Essex machine is now being used for demonstration purposes. While opening a barrel of spraying material on the Robinson orchard farm three miles south of town, Mr. Bernard Barr received injuries that rendered him blind in his right eye. In loosening a hoop on the barrel, a small particle of rust from it embedded itself in his eye. Mr. Barr was taken at once to Mr. McGuire in Winchester, who said the sight of the eye was destroyed, and recommended that the patient be taken to Philadelphia where a magnet of sufficient power was available for drawing the piece of corroded iron from its lodging place. All of Mr. Barr’s friends deeply sympathize with him in his misfortune. Mr. H. T. Nichols, a native of the Uvilla neighborhood and a resident of the county all his life, died August 8 at the home of his sister, Mrs. N. W. Myers, near Zoar, aged 57 years. He had been in failing health for several months. He leaves three brothers, Messrs. Charles and Tee Nichols, of this county, and William Nichols, of Little Rock, Arkansas, and one sister, Mrs. N. W. Myers. Rev. J. C. Siler conducted funeral services at the Myers home Wednesday morning at 10 o’clock. Interment was in Elmwood Cemetery, Shepherdstown. All of the electrical equipment and fixtures in the building formerly occupied by the Charles Town Heat and Eight Company, at George Street and the B. & O. Railroad, Charles Town have been removed out in preparation for a change in ownership of the property. It will be occupied by the C. P. Weller Machine Company which will engage in general machinery repairing. Equipment for the new industry will be installed as it arrives from the manufacturer, and Mr. Weller, the proprietor hopes to have the plant in shape to begin operations in a few days. All uncertainty about the title to the property has been removed by the Northern Virginia Power Company which sold it to Mr. Weller. The company entered into a contract to protect the purchaser from loss or inconvenience by reason of any pending litigation affecting the title. HARPERS FERRY AND BOLIVAR NEWS. Scientists say the unusual heat is due to spots in the sun caused by the eruptions of gas which are the greatest in seven years. The M. E. Sunday School of Bolivar held their picnic in Peacher Woods. Miss Sarah Cavalier has returned from New Jersey. Mr. George Weber, wife, and child and mother are home on Government leave. Mrs. Echols and daughter, of Cumberland, Md., is visiting her son, M. Ben Echols. Father Edward Tierney, of Lynchburg, Va., is visiting his sister, Mil Jennie Tierney. CARD OF THANKS. We wish to thank the kind friends who gave assistance and sympathy in the time our dear son and brother was brought from overseas and buried. Mrs. P. Perkins and family. PERSONAL MENTION. Miss Ella Welsh is visiting relatives in Martinsburg. Miss Elizabeth Zolnez, of Washington, is visiting Miss Frances D. Pacetti. Mr. and Mrs. Adam Link attended the Fashion Show in Baltimore last week. Mr. and Mrs. Robt. B. Wright are visiting Mrs. Chas Moore, on Mildred Street. Miss Louise Hubbard Manning is the guest of friends for a week at Boyce. Virginia. Miss Mary Lou Merchant, of Washington, D.C., came up to attend the Horse Show. Mr. W. H. Anderson attended the big Robinson circus at Winchester, Va., August 8th. Mrs. N. Morgan Smith, of Berryville, Va., and Miss Murphy, of Hastings, England, are guests of Miss Florence Morgan. Mr. P. N. Daniel, of New York, is a guest of his niece, Mrs. W. G. Lewis at “The Rocks.” Mrs. Elvans D. Haines, of Washington, was the guest of her sister, Mrs. D. C. Fulton, last week. Mrs. G. G. Sydnor has returned from Lynchburg, Va., where she visited her father, Mr. Sackett. Mrs. Harry N. Watson and niece, Miss Ruth Louise Walker, are visiting relatives in Seisholtzville, Pa. Mrs. O. E. Woolley, of Hagerstown, Md., is visiting the family of Mr. Baker Wilkins, in R. A son. Miss Laura Campbell was the guest of Mr. and Mrs. C. N. Campbell on Friday and Saturday of last week. Miss Edith Gardner is spending the month of August at Upland Terrace, White Mountains, New Hampshire. Rev. Mr. H. M. Moffett, of Huntsville, Alabama, is the guest of Misses Mary and Amelia Hopkins, at Mansfield. Mr. James H. Skinner, of Middleburg, Va., is visiting his daughters, Mrs. Edna Skinner and Mrs. J. James Skinner. Miss Margaret Gibson entertained on Wednesday evening giving a porch party in honor of her guest, Miss Margaret Alfriend. Mrs. Samuel Weigle with her daughter Mildred, and son Kenneth, of Zeliopolis, Pa., is visiting Mr. and Mrs. Howard Clipp. Miss Zan Gibson and her cousin, Miss Ann Markee Gibson, have gone on an extended trip to Niagara Falls and Montreal, Canada. Mrs. Charles B. Coleman and daughter, Miss Ella, of Washington, D.C., are enjoying a trip to Niagara Falls and other points north. Mr. and Mrs. Milton Hanson and daughter, of Washington, D.C., have returned home after a visit to the family of Mr. Charles Siford. Mrs. Harry Domm and children, of Baltimore, Md., are spending the month of August with the former's parents, Mr. and Mrs. Chas. Siford. Mr. and Mrs. Joseph Hess with their three children, Mr. and Mrs. H. E. Morton, all of Clarendon, Va., visited the family of Mrs. Geo. W. Marlow. Mr. and Mrs. Oscar Peters and daughter, of Ohio, and Misses Nettie and Hazel and Catherine Peters, of Roanoke, spent several days with Mr. and Mrs. G. Olin Willey. Mr. and Mrs. Oscar Peters and daughter, of Ohio, and Misses Nettie and Hazel and Catherine Peters, of Roanoke, spent several days with Mr. and Mrs. Their grandmother, Mrs. Belle Moore. Miss Mary Eagan and Mrs. Floyd Swimley, west of town motored to Frederick county, Md., on Wednesday for a visit of three or four days with their former neighbors, Mr. and Mrs. A. O. Davis. Miss Margaret Alfriend, of Weston, has been a guest of her many friends in Charles Town, Miss Shanon Denny last week and Miss Grace Beard this week, she was also entertained by Miss Margaret Shirley. Mrs. J. Y. Shaull and Miss Nannie Bane, of the Leetown vicinity, have gone to Earlville, New York, where they will visit the former’s daughter, Mrs. Forrest Sechrist and family, formerly of this county. Mr. George Tutwiler, a former resident of Charles Town now employed in the post office at Clarksburg, W. Va., is spending a part of this vacation with his friend, Mr. John F. Myers, near Weirick’s Mill. Mrs. O. L. M. Wiltshire who has been teaching in Aiken county, S. C., for the past five years, is spending a part of her vacation with her nephew, Mr. J. B. Wiltshire on the Bardane road. Mrs. Wiltshire formerly taught in the Charles Town Graded school. Mrs. Johnson, widow of former State Auditor, Issac V. Johnson, and a former resident of Shepherdstown, who has been visiting her nephew, Dr. C. C. Johnson in Bolivar, has been spending a few days with Mr. and Mrs. J. Wm. Gardner, South George street. Comptroller of the Currency, Hon. D. R. Crissinger, with Mrs. Crissinger and daughter, Miss Crissinger, of Washington, were guests of Mr. and Mrs. Ailes home for some time last summer home on Bolivar Heights. Mrs. Crissinger and daughter have been staying at the Ailes home for some time. been at the Ailes home for some time Mr. Crissinger being there only for the week-end. Mrs. Fred Kleinschmidt, South Mildred Street is entertaining a house party, most of them having come for the Horse Show. Among her guests are Mr. and Mrs. A. Ramsey Peyton of New Orleans; Mr. and Mrs. Walter G. Nelson and Mr. George Nelson of New York; and Mrs. Albert H. Osburn and two children, of De Moines, Iowa. Rev. W. F. Roberts, of Baltimore, whose boyhood days were spent in the Middleway, has been in the county for a few days. He visited his brother, Mr. B. C. Roberts, in Ranson; his sister, Mrs. J. E. Watson on the Lee town road and brother, County Commissioner N. R. Roberts, at Middleway. Mr. and Mrs. George R. Burton, who have been living here for the past seventeen months, have decided to reside in Baltimore for the next year or two. They expect to leave Charles Town very shortly, with whom they are told, much regret. They hope to return at the expiration of the two years, as they both consider this the most beautiful spot in which the city is ever lived. For best Fertilizers at cheapest prices see us before buying. W. C. Riley & Son. Telephone 215-18. Miss Feagans Dies at Wheatland. Miss Dove Feagans died at her home at Wheatland, this county, at 9:15 o’clock this (Tuesday) morning after a lingering illness, of several months, aged 38 years. She had been in declining health about two years, Miss Feagans was a faithful member of the Presbyterian Church, and was a young lady of excellent qualities, and will be sadly missed by a large circle of sorrowing relatives and friends. She is survived by her parents, Mr. and Mrs. Wilder Feagans, and by four brothers and three sisters, Mr. Starry Feagans, Va.; Mr. Calvin Feagans, of Chambersburg, Pa.; Mr. Cecil Feagans, of Briggs, Va., and Mr. Preston Feagans, and Misses Vivian, Ruby, and Gladys Feagans, at home. Funeral services will be held in the Presbyterian Church in Charles Town next Thursday afternoon at 3 o’clock, and her body will be laid to rest in Edge Hill Cemetery. J. WAGER FRITTS DIES IN BALTIMORE HOSPITAL. Mr. J. Wager Fritts died at St. Agnes Hospital in Baltimore on last Friday afternoon, aged 44 years, 2 months and 29 days. Mr. Fritts was a well-known farmer of Jefferson County, and went to the hospital in Baltimore about eight weeks ago for treatment, for severe pains in his head, which had been developing for sometime before that time. He seemed to improve very much under the treatment until last Thursday night about 12:30 o'clock, when he was taken with hemorages of the nose, and died at 1 o'clock Friday afternoon. He leaves a wife, and 5 children, 3 boys and 2 girls, and also a boy by his first wife, who was Miss Lemon. Funeral services were held at his late residence near Lee town on last Sunday at 4:30 P.M. Interment in Edge Hill Cemetery, Rev. T. M. Swann, assisted by Rev. Lambert, had charge of the service. Zemry L. Dunn, son of Mr. Wm Dunn near Kabletown, died last Sunday aged 1 year and 2 days. Funeral Monday at 2 P.M. Interment in Edge Hill Cemetery. SOLDIER BOY BURIED SUNDAY The body of Joseph Ward Perks, which arrived here from France a few days ago, was burned in Edge Hill Cemetery with appropriate ceremonies last Sunday afternoon. Funeral services were held in the M. H. Church, South, and also appropriate exercises at the grave, including the sounding of taps and firing of volleys over the grave, the Jackson Perks Post of the American Legion and Washington Camp, Patriotic Order Sons of America attending in a body. Revs. T. M. Swann, Goodwin Frezer and Conrad H. Godwin participated in the services. Private perks was a gallant member of both Infantry, of the Argonne Replacement Division, and died on the 4th day of November, 1918. He was wounded in action in the Argonne Division, and was taken to a hospital, where he died of his wounds. He is survived by his father and mother, who lives on the Starry property north of town, and three brothers and six sisters, Messrs. C. C. Perks, of Charles Town; James Perks, of Clarke County, and Philip Perks, of this county; Mrs. R. R. Boyles, Mrs. Pearl Stewart and Mrs. Mollie Holder of Martinsburg; Mrs. Virginia Hough and Misses Lula and Sadie Perks, of this county. The Brotherhood of St. Andrew will hold no meetings during the month of August. There will be the usual midweek services in the Presbyterian Chapel on Wednesday evening at 8 p.m. Services in St. James’ Catholic Church second Sunday, Mass 8:45 a.m.; Fourth Sunday 10:30 a.m.; evening services 7:30 p.m. The Christian Endeavor will give a Social Evening to their organization on Next Friday evening beginning at 7 o’clock in the Presbyterian Chapel. Rev. Mr. Ralston, a native from Scotland, preached a very practical sermon in the Presbyterian Church on Sunday morning, taking his text from St. John 3rd chapter, 16th verse. “For God so loved the world, that he gave his only begotten son, that whosoever believeth in him shall not perish, but have everlasting life.” The minister stated—that should the whole Bible be destroyed and that one verse left of it, there was enough knowledge of Salvation in it to save a world. Then he said he watched the launching of the Titanic. On the side of this monster vessel was this inscription “There Is No God” and everyone knows the terrible fate of this vessel and all on board dashed to pieces by an iceberg. On last Sunday evening the Presbyterian congregation had the pleasure of hearing their former Pastor, Rev. H. M. Moffet, who preached an able sermon from the 32nd chapter of Isaiah, 1st verse, "Behold, a King shall reign in righteousness, and princess shall rule in judgment.” There were large congregations both morning and night, and there was special singing by the young men of the Choir, 15 in number. It pays to use “Swifts High-Grade Fertilizers.” Let us have your order. W. C. Riley & Son, Local Agents. Telephone 215-13. Look out for the Tree of Baskets, August 23, lawn party at St. James church. OH! MY BACK! The Expression of Many a Kidney Sufferer in Charles Town. A stubborn backache is cause to suspect kidney trouble. When the kidneys are inflamed and swollen, stooping brings a sharp twinge in the small of the back, that almost takes the breath away. Doan’s Kidney Pills revive sluggish kidneys—relieve aching backs. Ask your neighbor! Here’s Charles Town proof: A. W. Grove, 410 W. Liberty St., says: “I have found Doan’s Kidney Pills to be a good remedy for kidney complaint and I always recommend them. My kidneys were in such a weak and disordered condition, I could hardly bend over, when I got up in the morning. During the day I had a steady dull ache across my kidneys. Often when I stooped, I had sharp catches in the small of my back and my kidneys did not act right. Doan’s Kidney Pills were recommended to me and I got a supply at Brown and Hooff’s Drug Store. They just suited my trouble and soon had me fret from backaches and regulated my kidneys.” Price 60c, at all dealers. Don’s simply ask for a kidney remedy—get Doan’s Kidney Pills—the same that Mr. Grove had. Foster-Milbun Co., Mfrs., Buffalo, N. Y. For big yields use “Swift’s High Grade Fertilizers,” there are no better, W. C. Riley & Son. MEETING OF City Council Aural Demonstration at Last Night. At the regular meeting of the City Council last night there were present the Mayor and all the Councilmen. A delegation of citizens were present. CHARLES TOWN COLORED HORSE SHOW. Subject to weather conditions or any accident, Capt. Wright said to fore the council in regard to the unfinished work on South Mildred Street, and the Street Committee was directed to examine into same. Only other routine matters were acted upon. Prof. Wright denied that he had spent a busy vacation. After completing an engagement teaching in the Summer School at Shepherd College, Shepherdstown, he filled another appointment in the State Grading Board at Charleston. He will give an Aerial Demonstration over the Horse Show Grounds, Thursday, August 25th about 4 o’clock, driving a DeHaviland type of aeroplane equipped with a Liberty Motor and carrying two passengers. There will be a Lawn Party for the benefit of St. James Church, Charles Town, W. Va., Tuesday, Aug. 23., at 6:30 P. M. Fancy and useful articles, doll, baskets, grab bag, Prof. Denny bargain table; ice cream, homemade was one of 12 persons belonging to cakes and the Board, speciality. Candy, baskets, our customers can't go along spending all you make and expect to get ahead. IT CAN’T BE DONE. But if you will practice a little economy and put some money in the bank each payday, there is nothing can stop you from becoming wealthy. Come into our Bank and open an Account and add to it regularly. We will welcome you. JEFFERSON BANK & TRUST CO Capital $100,000.00. Surplus $17,500.00. Are You Prepared For the Summer? The warm balmy days outdoors and evenings on the porch when of all times, music is essential. That’s the time when you’ll wish you had a Pathe phonograph. The phonograph with the full, natural tone that plays all makes of records perfectly. Better place your order now. The Standard Pathe No. 7 in oak finish, ideal for porch or outdoors and $25.00 worth of Pathe records, your own selection, $110. EASY PAYMENTS. Start at once enjoying this Pathe instrument and your collection of $25.00 records. TAYLOR’S VARIETY SHOP. N. Charles Street. MEN’S, LADIES AND CHILDREN'S REDUCTION SALE REDUCTIONS IN LIGHT AND DARK VOILES AND GINGHAMS VOILES DRESSES MIDDY BLOUSE SUITS WHITE WASH SKIRTS GEORGETTE WAISTS AND BLOUSES THIS IS YOUR OPPORTUNITY FOR BARGAINS FULL LINE OF FLOOR COVERINGS AND CURTAIN MATERIALS. C. T. SHUGART Our stock is complete, and anything we may not have in stock we will get for you in the shortest possible time. Don’t hesitate to ask us. BROWN & HOOFF Druggists. SPECIAL VALUE in SERGE SUITS. WE ARE OFFERING A LIMITED NUMBER OF SERGE SUITS IN BLUES AND GRAYS OF THE WELL-KNOWN FULTON SERGE, HAND TAILORED IN SEVERAL MODELS, AT THE SPECIAL PRICE $29.50 ISAAC HERZ CO AA-. - 4 a M. PALMBAUM & BRO. Two of our many Styles of Summer Sport Skirts. Every woman needs more than one or two of these wash skirts for the Summer. It’s easy to make them at home with the new McCall “printed” Pattern. NEW McCall Pattern 2011 HEW McCall Pattern 2065 M. PALMBAUM & BRO.' The Fertilizer Situation The price* on fertilizer* for this fall’* wheat crop have ju*t beeen announced. The delay this year was caused by the somewhat demoralized condition pre vailing in the material markets. The idea being to try to get fertilizer prices down more in line with what the farmer received for hi* wheat and other crops. This has been done in the prices just out although it represents a large loss to the fertilizer manufactures. The short time left before shipping begins makes it hard to get around to see every one in person, so we hope our customers will try to let us have their orders as early as possible, so that we may have the goods in shape for them in plenty of time for seeding. OUR PRICES ARE DOWN TO ROCK BOTTOM, and our goods this year are in the best mechanical con dition possible. Come out to our new factory and see for yourself just how fine they are. Washington. Alexander & Cooke Co. HIGH GRADE FERTILIZERS. rfjS SUGGESTIONS TO PATRONS OF THE JEFFERSON COUNTY TELEPHONE COMPANY FOR THE BENEFIT OF PHONE SERVICE. In order to jive good service it is very necessary that we have the coopera tion of every suboeriber and patron. The observance of the following sug gestions and instructions will greatly aid in the success of good service. Every Subscriber and Patron must call by number and before making call refer to your latest directory. .... If you cannot find number desired call Information and she will give you the desired information. There are timet when Centra) ie delayed in answering yon for vmriou. un avoidable reasons. When the operators do answer, never scold or talk unnecessarily to them. Talking unnecessarily to operators not only delays your call but hundreds of others as well. Subscribers must not be Central as a Bureau of Information, i.e., asking the time of day, or time of trains, or location of fires, as it is absolutely necessary for our operators to give their time to their duties. If our patrons are to receive prompt service. If you have any complaint as to operators or the service you are receiving, to assist in our office, Charles Town, W. Va. Phone No. 100, and it will be said office’s duty and pleasure to see that you get a square deal. When your phone is in trouble, report the same to Manager’s Office, Charles Town. Phone No. 100, by phone or postal. Never report any trouble to our busy operators. It shall always be our duty and pleasure to give your trouble our immediate attention. Patrons are requested not to call during an electric storm. It is dangerous both to patrons and operators. JEFFERSON COUNTY TELEPHONE CO.
github_open_source_100_1_125
Github OpenSource
Various open source
using System; using System.Data.Common; using System.Threading; using System.Threading.Tasks; using Marten.Linq.Model; using Marten.Services; using Marten.Util; namespace Marten.Linq.QueryHandlers { public class CountQueryHandler<T>: IQueryHandler<T> { private readonly ILinqQuery _query; public CountQueryHandler(ILinqQuery query) { _query = query; } public Type SourceType => _query.SourceType; public void ConfigureCommand(CommandBuilder builder) { _query.ConfigureCount(builder); } public T Handle(DbDataReader reader, IIdentityMap map, QueryStatistics stats) { var hasNext = reader.Read(); return hasNext && !reader.IsDBNull(0) ? reader.GetFieldValue<T>(0) : default(T); } public async Task<T> HandleAsync(DbDataReader reader, IIdentityMap map, QueryStatistics stats, CancellationToken token) { var hasNext = await reader.ReadAsync(token).ConfigureAwait(false); return hasNext && !await reader.IsDBNullAsync(0, token).ConfigureAwait(false) ? await reader.GetFieldValueAsync<T>(0, token).ConfigureAwait(false) : default(T); } } }
5660429_1
courtlistener
Public Domain
AGEE, J. Appeal by the People from an order of Marin County Superior Court granting respondent’s petition for a writ of habeas corpus. Respondent was sentenced to state prison on January 24, 1962 by the Los Angeles Superior Court, in action No. 248795-94, hereafter “first action.” On the same date the same court, without pronouncing judgment, granted probation to respondent for a period of five years in action No. 252352, hereafter “second action.” Both convictions were for forgery (Pen. Code, § 470). On June 19, 1962 probation in the second action was revoked. On August 24, 1962 respondent was sentenced in this action in his absence to state prison pursuant to Penal Code section 1203.2a, as it then provided. The People admit the *439unconstitutionality of this procedure. (In re Klein, 197 Cal.App.2d 58 [17 Cal.Rptr. 71] ; see also In re Peres (1966) 65 Cal.2d 224 [53 Cal.Rptr. 414, 418 P.2d 6].) The sentence was ordered to be served consecutively to the term imposed in the first action. On August 26, 1964 the Adult Authority fixed the term in the first action at four years, with February 15, 1966 set as the discharge date. On the same date the sentence in the second action was fixed at three and one-half years, to be served consecutively. On November 24, 1965 respondent was released on parole and the term to be served in the second action was refixed at four and a half years, to be served consecutively with the term in the first action. The discharge date as to the first action remained set at February 15,1966. On November 4, 1966 respondent's parole was canceled and both terms were refixed by the Adult Authority at the maximum periods of fourteen years. On February 3, 1967 the Marin County Superior Court ruled that the respondent’s sentence in the second action on August 24, 1962 was invalid and ordered respondent to be returned to Los Angeles for arraignment for judgment. (Pen. Code, §1200.) On March 8, 1967 the Los Angeles Superior Court, instead of resentencing respondent in said action, ordered that probation be terminated and that respondent be discharged. The People admit that respondent “has been discharged from all obligations in connection with ease No. 252352. ’ ’ The People’s contention is that respondent’s present imprisonment is pursuant to the judgment and conviction in the first action, No. 248795-94. Respondent’s position is that he completed his term of imprisonment in the first action on February 15, 1966 and that the Adult Authority had no jurisdiction thereafter to take any further proceedings therein, particularly the proceedings of November 4,1966. Appellant relies entirely upon In re Cowen (1946) 27 Cal.2d 637 [166 P.2d 279], wherein it was held that when a prisoner is confined under consecutive sentences, he is regarded as undergoing a single, continuous term of confinement for the cumulative total of the individual terms for the purposes of redetermination by the Adult Authority of the length of time for his imprisonment. *440This is a correct statement of the law. However, the “consecutive sentences” must be valid sentences in order to' authorize the Adult Authority so to act. Here, there never was a.valid sentence imposed in the second action and the commitment based thereon was likewise invalid. Order affirmed. Shoemaker, P. J., and Taylor, J., concurred.
760033_1
courtlistener
Public Domain
162 F.3d 1177 Adamsv.U.S.* NO. 97-3168 United States Court of Appeals,Eleventh Circuit. October 27, 1998 Appeal From: N.D.Fla. , No.9530494CVRV 1 Affirmed. * Fed.R.App.P. 34(a); 11th Cir.R. 34-3.
github_open_source_100_1_126
Github OpenSource
Various open source
<?php $__env->startSection('content'); ?><p>The Justice Department explored whether it could pursue either criminal or civil rights charges against city officials in Portland, Oregon after clashes erupted there night after night between law enforcement and demonstrators, a department spokesperson said Thursday.</p> <p>The revelation that federal officials researched whether they could levy criminal or civil charges against the officials — exploring whether their rhetoric and actions may have helped spur the violence in Portland — underscores the larger Trump administration's effort to spotlight and crack down on protest-related violence. The majority of the mass police reform demonstrations nationwide have been peaceful.</p> <p>For many nights, federal officials were told that Portland police officers were explicitly told not to respond to the federal courthouse as hundreds of demonstrators gathered outside, some throwing bricks, rocks and other projectiles at officers, and not to assist federal officers who were sent to try to quell the unrest.</p> <p>The department had done research on whether it could pursue the charges, spokesperson Kerri Kupec said. She declined to comment on the status or whether charges would be brought. But bringing criminal civil rights charges against city officials for protest-related violence would likely present an uphill court battle for federal prosecutors.</p> <p>Seattle Mayor Jenny Durkan (left) said on Thursday that a report which claimed Attorney General Bill Barr (right) had suggested charging her with sedition for allowing the 'CHOP' zone to be created in her city is 'chilling and the latest abuse of power from the Trump administration.'</p> <p>Justice Department officials disputed news reports that Attorney General William Barr told prosecutors in the department's civil rights division to explore whether they could bring charges against Seattle Mayor Jenny Durkan for allowing some residents to establish a protest zone this summer.</p> <p>President Donald Trump has blamed Democrats, and specifically pointed to Portland's mayor Ted Wheeler, who he says have not done enough to stop nights of looting and unrest in cities across the U.S. Trump has called Wheeler a 'wacky Radical Left Do Nothing Democrat Mayor' and has said the city 'will never recover with a fool for a Mayor....'</p> <p>Trump has heaped blame for the unrest on Democrats who are leading the cities where violence has occurred and tried to keep focus squarely on pockets of protest-related violence, instead of on the point of police reform and the larger movement of racial injustice.</p> <p>More than 100 people have been arrested in Portland on federal charges related to the unrest in the last few months. The FBI has said it was also shifting the agency's resources to focus more heavily on violence and federal crimes committed during nearly three months of unrest during nightly racial injustice protests in the city that often end in vandalism, clashes with police and dozens of arrests. </p> <p>Seattle Mayor Jenny Durkan said on Thursday that a report which claimed Attorney General Bill Barr had suggested charging her with sedition for allowing the 'CHOP' zone to be created in her city is 'chilling and the latest abuse of power from the Trump administration.'</p> <p>'The Department of Justice cannot become a political weapon operated at the behest of the President to target those who have spoken out against this administration's actions,' Durkan, a former US attorney, said in a statement.</p> <p>'That is an act of tyranny, not of democracy.'</p> <p>'Ultimately, this is not a story about me. It is about how this President and his Attorney General are willing to subvert the law and use the Department of Justice for political purposes.</p> <p>The 'Capitol Hill Organized Protest was a three-week long 'occupation' by anti-racism protesters in Seattle who set up a several-block perimeter where there were no police presence within the boundaries. Two people were killed and several were wounded in shootings in the CHOP</p> <p>Durkan called the report 'chilling and the latest abuse of power from the Trump administration.'</p> <p>'The Department of Justice cannot become a political weapon operated at the behest of the President to target those who have spoken out against this administration's actions,' Durkan, a former US attorney, said in a statement</p> <p>'I will continue to fight for what I believe is right, and I will not be distracted by these threats from meeting the challenges facing our great city,' the Seattle mayor said</p> <p>'It is particularly egregious to try to use the civil rights laws to investigate, intimidate, or deter those that are fighting for civil rights in our country.'</p> <p>Durkan was reacting to a Wall Street Journal report which said Barr told federal district attorneys in a conference call last week that a law against plotting to overthrow the US government was among charges they could use against participants when protests turn violent.</p> <p>The WSJ reported that he divulged details of two statutes that could help bring about the charges. </p> <p>In order to prove sedition, they would have to prove imminent danger to government officials or agents as part of a conspiracy. </p> <p>However without the plot it can fall under expressing violent anti-government sentiment under the First Amendment. </p> <p>Brian T. Moran, the US attorney for western Washington State, says he is not aware of any investigation into Durkan</p> <p>Another statute could bring federal charges on someone who obstructs law enforcement responding to unrest.</p> <p>CNN and the New York Times confirmed the recommendation by Barr. </p> <p>Two people on the call said Barr has asked whether charges could be brought against Durkan for allowing people to create a police-free zone.</p> <p>Barr said on Wednesday that the Supreme Court has determined the executive branch has 'virtually unchecked discretion' on whether to go ahead with a prosecution.</p> <p>But a US attorney in Washington State says that he has never heard anyone at the Justice Department discuss bringing charges against Durkan.</p> <p>'Throughout this lengthy period of civil unrest, I have had multiple conversations with Department of Justice leadership,' Brian T. Moran, the US attorney for Western Washington, said in a statement. </p> <p>'They have asked for information about protest activity devolving into violence, about federal interests implicated by the Capitol Hill Organized Protest, and about the cases filed in this District regarding federal crimes. </p> <p>'At no time has anyone at the Department communicated to me that Seattle Mayor Jenny Durkan is, was, or should be the subject of a criminal investigation or should be charged with any federal crime related to the Capitol Hill Organized Protest (CHOP). </p> <p>'As US Attorney I would be aware of such an investigation.'</p> <p>On July 1, city crews dismantled the Capitol Hill Organized Protest area outside of the Seattle Police Department's vacated East Precinct</p> <p>The zone was created after protesters forced Seattle police to abandon the East Precinct </p> <p>In early July, Seattle police cleared away the so-called 'autonomous zone' set up by protesters in the wake of the May 25 police killing of George Floyd.</p> <p>The 'CHOP', which was later renamed 'CHAZ,' or Capitol Hill Autonomous Zone, was set up along a few square blocks of the downtown Seattle neighborhood of Capitol Hill on June 8.</p> <p>Protesters forced Seattle police to clear out of the East Precinct and insisted on keeping the area 'police-free.'</p> <p>June 8: Protesters occupy the area; police abandoned the precinct</p> <p>June 20: A 19-year-old man is shot dead and a 33-year-old man was wounded </p> <p>June 24: Nearby businesses and property owners filed a federal lawsuit against the city </p> <p>June 29: Two teens shot - one fatally - in Jeep at zone's concrete barriers </p> <p>June 30: Barricades at Seattle's cop-free zone are torn down as protesters replace concrete barriers with trash cans and couches </p> <p>July 1:</p> <p>Early hours : Mayor Jenny Durkan demand all barriers are removed after a 525 per cent spike in violent crimes in the area</p> <p>5am: Police swarm the zone </p> <p>5:30am: Eyewitnesses say officers have cleared the area</p> <p>7am: Chief Carmen Best confirms police have taken back precinct</p> <p>During the CHOP/CHAZ, Durkan appeared to downplay the severity of the protesters' actions, comparing the incident to a 'block party' while insisting that 'it's not an armed takeover. It's not a military junta.'</p> <p>But there were a total of four shootings either in the zone or in its vicinity, killing two and wounding several others.</p> <p>The 'autonomous zone' was eventually cleared out in early July, though the reverberations of the Floyd protests continue to be felt.</p> <p>Efforts to cut spending on police - a key demand of anti-racism demonstrators in Seattle and across the nation - claimed an unlikely target: Seattle's first black police chief, who enjoyed deep support in its minority communities, stepped down in protest.</p> <p>Carmen Best announced her retirement last month just hours after the City Council voted to cut her annual $285,000 salary by $10,000, as well as the salaries of her command staff, and to trim as many as 100 officers from a force of 1,400 through layoffs and attrition.</p> <p>She said that she was OK with her pay cut, but not with having to lay off young officers, many of them minorities hired in part to improve the department's diversity. </p> <p>'That, for me - I'm done. Can't do it,' she said at a news conference.</p> <p>'It really is about the overarching lack of respect for the officers.'</p> <p>Best, a military veteran who joined the department in 1992, was named chief two years ago. </p> <p>Durkan initially left her off a list of finalists for the job, but selected her after an outcry from community groups who had long known Best and wanted her to be chosen.</p> <p>The Trump administration has seized on the violence in Seattle and other cities, including Portland, Oregon, and elsewhere to highlight the need for a stronger presence of law enforcement.</p> <p>President Trump has called for the Justice Department to heavily punish the protesters, whom he and Barr have labeled extreme left anarchists. </p> <p>While protest-related crimes usually bring only local charges, under Barr's guidance district attorneys and federal prosecutors have charged more than 200 demonstrators with crimes that bring heftier penalties.</p> <p>Asked about the report on Barr, Trump said his government will treat demonstrators toughly.</p> <p>'If you have a violent demonstration, yes, we will put it down very very quickly,' he said, adding: 'And I think the American public wants to see that.'</p> <p>According to the Armed Conflict Location and Event Data Project, about 93 percent of protests this summer were peaceful.</p> <p>Such a sedition charge has been used with extreme rarity and the most recent example, a case brought against a Michigan armed militia group, failed in 2012 due to weak and 'circumstantial evidence'.  </p> <p>President Trump has called for the Justice Department to heavily punish protesters, whom he and Barr have labeled extreme left anarchists. 'If you have a violent demonstration, yes, we will put it down very very quickly,' he said</p> <p>Barr's comments on Wednesday amounted to a striking, and unusual, rebuke of the thousands of prosecutors who do the daily work of assembling criminal cases across the country.</p> <p>Rejecting the idea that prosecutors should have final say in cases that they bring, Barr described them instead part of the 'permanent bureaucracy' and said they were in need of supervision from 'detached,' politically appointed leaders who are accountable to the president and Congress.</p> <p>'Individual prosecutors can sometimes become headhunters, consumed with taking down their target,' Barr said. </p> <p>'Subjecting their decisions to review by detached supervisors ensures the involvement of dispassionate decision-makers in the process.' </p> <?php $__env->stopSection(); ?> <?php echo $__env->make('_layouts.post', \Illuminate\Support\Arr::except(get_defined_vars(), ['__data', '__path']))->render(); ?>
US-201414223366-A_3
USPTO
Public Domain
Embodiment 4 Another method of manufacturing a crystalline semiconductor layer that forms an active layer of a TFT of the active matrix substrate indicated in Embodiment 1 to Embodiment 3 is shown here in Embodiment 4. A crystalline semiconductor layer is formed by crystallizing an amorphous semiconductor layer by thermal annealing, laser annealing, or rapid thermal annealing (RTA) or the like. Another crystallization method disclosed in Japanese Patent Application Laid-open No. Hei 7-130652 in which a catalyst element is used can also be applied. An example of this case is explained with references to FIG. 12. As shown in FIG. 12A, base films 1102 a and 1102 b and a semiconductor layer 1103 having an amorphous structure formed at a thickness of between 25 to 80 nm are formed over a glass substrate 1101, similar to Embodiment 1. An amorphous silicon (a-Si) film, an amorphous silicon germanium (a-SiGe) film, an amorphous silicon carbide (a-SiC) film, an amorphous silicon tin (a-SiSn) film, etc. are applicable for the amorphous semiconductor layer. It is appropriate to form these amorphous semiconductor layers to contain hydrogen at about 0.1 to 40 atomic %. For example, an amorphous silicon film is formed at a thickness of 55 nm. An aqueous solution containing 10 ppm by weight conversion of a catalyst element is then applied by spin coating in which application is performed by rotating the substrate with a spinner, forming a layer 1104 containing the catalyst element. Catalyst elements include nickel (Ni), germanium (Ge), iron (Fe), palladium (Pd), tin (Sn), lead (Pb), cobalt (Co), platinum (Pt), copper (Cu), gold (Au), and the like. Other than spin coating, the catalyst element containing layer 1104 may also be made by forming a 1 to 5 nm thick layer of the above catalyst elements by printing, a spraying method, and the bar coater method, or sputtering or vacuum evaporation. In the crystallization step shown in FIG. 12B, heat treatment is first performed for approximately 1 hour at between 400° C. and 500° C., making the amount of hydrogen contained in the amorphous silicon film 5 atomic % or less. If the initial amount of hydrogen contained in the amorphous silicon film is this value after film deposition, the heat treatment need not be performed. Thermal annealing is then performed in a nitrogen atmosphere at 550° C. to 600° C. for between 1 and 8 hours using an annealing furnace. A crystalline semiconductor layer 1105 made from the crystalline silicon film can thus be obtained through the above steps (See FIG. 12C). However, if the crystalline semiconductor layer 1105 manufactured by this thermal annealing, is observed microscopically using an optical microscope, it is observed that amorphous region remains locally. In this case, from observation of spectrum using a Raman spectroscopy, an amorphous constituent observed at 480 cm⁻¹ has a broad peak. Therefore, after thermal annealing, treating the crystalline semiconductor layer 1105 with the laser annealing method explained in Embodiment 1 is an effective means applicable for enhancing the crystallinity of the crystalline semiconductor film. Similarly, FIG. 17 also shows an example of a crystallization method using a catalyst element in which a layer containing a catalyst element is formed by sputtering. First, base films 1202 a and 1202 b and a semiconductor layer 1203 having an amorphous structure formed at a thickness of between 25 to 80 nm are formed over a glass substrate 1201, similar to Embodiment 1. Then about a 0.5 to 5 nm thick oxide film is formed on the surface of the semiconductor layer 1203 having an amorphous structure (not shown in the Figure). As an oxide film having such thickness, an appropriate coating may be actively formed by plasma CVD or sputtering, but the oxide film may also be formed by exposing the surface of the semiconductor layer 1203 having an amorphous structure to an oxygen atmosphere in which the substrate has been heated at 100° C. to 300° C. and plasma treated, or exposing the surface of the semiconductor layer 1203 having an amorphous structure to a solution containing hydrogen peroxide (H₂O₂). The oxide film may also be formed by irradiating ultraviolet light into an atmosphere containing oxygen to generate ozone and then exposing the semiconductor layer 1203 having an amorphous structure to the ozone atmosphere. In this way, a layer 1204 containing the above catalyst element is formed by sputtering, on the semiconductor layer 1203 having an amorphous structure with a thin oxide film on its surface. No limitations are placed on the thickness of this layer, but it is appropriate to form this layer at about 10 to 100 nm. For example, an effective method is to form a Ni film with Ni as the target. In sputtering, a part of a high-energy particle made from the above catalyst element accelerated in the electric field also comes flying to the substrate side and is driven into the close vicinity of the surface of the semiconductor layer 1203 having an amorphous structure or into the oxide film which is formed on the surface of the semiconductor layer. This proportion differs depending on conditions of generating plasma or the bias state of the substrate. However, it is appropriate to set the amount of catalyst element to be driven into the close vicinity of the surface of the semiconductor layer 1203 having an amorphous structure and within the oxide film to fall approximately between 1×10¹¹ and 1×10¹⁴ atoms/cm². Then the layer 1204 containing a catalyst element is selectively removed. For example, if this layer is formed from the Ni film, it is possible to remove this layer by a solution such as nitric acid, or if an aqueous solution containing fluoric acid is used, not only the Ni film but also the oxide film formed on the semiconductor layer 1203 having an amorphous structure can be removed at the same time. Whichever is used, the amount of catalyst element in the close vicinity of the surface of the semiconductor layer 1203 having an amorphous structure should be approximately between 1×10¹¹ and 1×10¹⁴ atoms/cm². As shown in FIG. 17B, the crystallization step is performed by thermal annealing, similarly to FIG. 12B, and a crystalline semiconductor layer 1205 can thus be obtained (See FIG. 17C) By forming the island semiconductor layers 104 to 108 from the crystalline semiconductor layers 1105 and 1205 manufactured in FIG. 12 or FIG. 17, an active matrix substrate can be completed, similarly to Embodiment 1. However, in crystallization process, if a catalyst element for promoting the crystallization of silicon is used, a small amount (about 1×10¹⁷ to 1×10¹⁹ atoms/cm³) of the catalyst element remains within the island semiconductor layers. It is, of course, possible to complete the TFT in such a state, but it is preferred to remove the remaining catalyst element from at least the channel forming region. One of the means of removing this catalyst element is a means using gettering action of phosphorous (P). The gettering treatment with phosphorous used in this purpose may be performed together with the activation step explained in FIG. 5A. This state is explained with reference to FIG. 13. The concentration of phosphorous (P) necessary for gettering may be on a similar order as the impurity concentration of the high concentration n-type impurity regions, and the catalyst element can be segregated at this concentration from the channel forming regions of the n-channel TFT and the p-channel TFT, into the phosphorous (P) contained impurity regions, by the thermal annealing at the activation step. (direction of an arrow in FIG. 13) As a result, the catalyst element is segregated into the impurity regions at a concentration of about 1×10¹⁷ to 1×10¹⁹ atoms/cm³. A TFT with good characteristics can be attained because the Off current value of a TFT manufactured in this way is reduced, and high electric field mobility is attained due to good crystallinity. The structure of Embodiment 4 can be combined with Embodiment 1 to 3. Embodiment 5 A process of manufacturing an active matrix liquid crystal display device from the active matrix substrate fabricated in Embodiment 1 will be explained here in this Embodiment. As shown in FIG. 14A, first a spacer made from a column-shape spacer is formed on the active matrix substrate in the state of FIG. 5B. The spacer may be provided by a method of spraying several mm of grains. A method of forming the spacer by patterning after forming a resin film on the entire surface of the substrate is adopted here in this embodiment. The material for such kind of spacer is not limited. For example, using the JSR product NN700, after application to the substrate by a spinner, a predetermined pattern is formed by exposure and development treatment. Furthermore, it is cured by being heated in a clean oven at 150° C. to 200° C. The shape of the spacer formed in this way may be made different depending on the conditions of the exposure and development treatment. The spacer is formed so that its shape becomes a column-shape with a flat top, which is a preferred shape because when an opposing substrate is bonded to this substrate, its mechanical strength as a liquid crystal display panel can be ensured. The shape of the spacer such as a conical shape or a pyramid shape is not specially limited thereto. For example, when the spacer is a conical shape, its specific measurements are as follows: the height is set between 1.2 and 5 mm, the average radius is set between 5 and 7 mm, and the ratio of the average radius and the radius of the bottom portion is set to 1 to 1.5. The taper angle of the side surface at this point is ∀15° or less. The arrangement of the spacers may be arbitrarily determined, but preferably it is appropriate to form a column-shape spacer 406 overlapping the contact area 231 of the pixel electrode 169 in the pixel portion so as to cover that overlapped portion as shown in FIG. 14A. Liquid crystal cannot be smoothly oriented in a portion where the levelness of the contact area 231 has been rained. Hence, the column-shape spacer 406 is formed as in the form of filling the contact area 231 with resin used for the spacer, whereby disclination or the like can be prevented. In addition, spacers 405 a to 405 e are formed on the TFT of the driver circuit. These spacers may be formed extending over the entire surface of the driver circuit portion, and may also be formed so as to cover the source wiring and the drain wiring as shown in FIG. 14. Thereafter, an alignment film 407 is formed. A polyimide resin is generally used for the alignment film of a liquid crystal display device. After forming the alignment films, a rubbing treatment is performed so that the liquid crystal molecules are oriented with a certain fixed pre-tilt angle. The rubbing treatment is performed so that an area of 2 mm or less from the edge portion of the column-shape spacer 406 provided in the pixel portion to the rubbing direction, is not rubbed. Further, since the generation of static electricity from the rubbing treatment is often a problem, an effect of protecting the TFT from the static electricity can be attained by forming the spacers 405 a to 405 e formed on the TFT of the driver circuit. Although not described in the figures, the substrate may have a structure in which the alignment film 407 is formed before forming the spacers 406 and 405 a to 405 e. A light shielding film 402, a transparent conductive film 403, and an alignment film 404 are formed on an opposing substrate 401, which is opposed to the active matrix substrate. The light shielding film 402 is formed of films such as a Ti film, a Cr film, and an Al film at a thickness of between 150 and 300 nm. Then, the active matrix substrate on which the pixel portion and the driver circuit are formed, and the opposing substrate are then joined together by a sealant 408. A filler (not shown in the figures) is mixed into the sealant 408, and the two substrates are joined together with a uniform spacing by the filler and the spacers 406 and 405 a to 405 e. Next, a liquid crystal material 409 is injected between both substrates. A known liquid crystal material may be used as the liquid crystal material. For example, besides the TN liquid crystal, a thresholdness antiferroelectric mixed liquid crystal that indicates electro-optical response characteristics of continuously changing transmittance with respect to an electric field may also be used. Among such thresholdness antiferroelectric mixture liquid crystal, there is a type that indicates a V-shaped electro-optical response characteristic. In this way, the active matrix type liquid crystal display device shown in FIG. 14B is completed. FIG. 15 is a top view showing this type of active matrix substrate and the positional relation of the pixel portion and the driver circuit portion versus the spacers and the sealant. A scanning signal driver circuit 605 and an image signal driver circuit 606 as driver circuits are provided in the periphery of a pixel portion 604 on the glass substrate 101 described in Embodiment 1. In addition, a signal processing circuit 607 such as a CPU or a memory circuit may also be added. Then these driver circuits are connected to an external input/output terminal 602 by a connecting wiring 603. In the pixel portion 604, a set of gate wirings 608 extending from the scanning signal driver circuit 605 and a set of source wirings 609 extending from the image signal driver circuit 606 intersect in matrix to form pixels. Each pixel is provided with the pixel TFT 204 and the storage capacitor 205. In FIG. 14, the column-shape spacer 406 provided in the pixel portion may be provided not only to every pixel, but also to every several pixels or several tens of the pixels arranged in a matrix manner as shown in FIG. 15. In other words, it is possible to set the ratio of the total number of pixels composing the pixel portion to the number of spacers between 20% and 100%. In addition, the spacers 405 a to 405 e provided in the driver circuits portion may be formed so as to cover the entire surface of the circuits, or may be provided in accordance with the position of the source wiring and the drain wiring of each TFT. In FIG. 15, reference numerals 610 to 612 denote the arrangement of the spacers provided in the driver circuit portion. In FIG. 15, the sealant 619 is formed on the exterior of the pixel portion 604, the scanning signal driver circuit 605, the image signal driver circuit 606, and the signal processing circuit 607 of the other circuits, and on the interior of an external input/output terminal 602, that are formed over the substrate 101. Next, the structure of this kind of active matrix liquid crystal display device is explained using the perspective view of FIG. 16. In FIG. 16, the active matrix substrate comprises the pixel portion 604, the scanning signal driver circuit 605, the image signal driver circuit 606, and the signal processing circuit 607 of the other circuits formed over the glass substrate 101. The pixel TFT 204 and the storage capacitor 205 are provided in the pixel portion 604, and the driver circuit formed in the periphery thereof is structured based on a CMOS circuit. The scanning signal driver circuit 605 and the image signal driver circuit 606 are connected to the pixel TFT 204 by the gate wiring (which is equal to 224 in FIG. 5B when the gate wiring is formed subsequent to the gate electrode) and the source wiring 164, respectively, extending to the pixel portion 604. Further, an FPC (flexible printed circuit) 613 is connected to the external input terminal 602 to be utilized for inputting signals such as image signals. The FPC 613 is firmly adhered in this area by a strengthening resin 614. The connecting wiring 603 is connected to the respective driver circuits. Further, though not shown in the figure, a light shielding film and a transparent electrode are provided on the opposing substrate 401. A liquid display device with this kind of structure can be formed by using the active matrix substrate described in Embodiments 1 to 3. The reflection type liquid crystal display device can be attained with employment of the active matrix substrate shown in Embodiment 1 whereas the transmission type liquid crystal display device can be attained with employment of the active matrix substrate shown in Embodiment 3. Embodiment 6 FIG. 18 illustrates an example of the circuit structure of the active matrix substrate described in Embodiments 1 to 3, and shows the circuit structure of a direct-view type display device. This active matrix substrate is composed of the image signal driver circuit 606, the scanning signal driver circuits (A) and (B) 605, and the pixel portion 604. Note that the driver circuit stated throughout the present specification is a generic term including the image signal driver circuit 606 and the scanning signal driver circuits 605. The image signal driver circuit 606 comprises a shift resister circuit 501 a, a level shifter circuit 502 a, a buffer circuit 503 a, and a sampling circuit 504. In addition, the scanning signal driver circuits (A) and (B) 185 comprises a shift resister circuit 501 b, a level shifter circuit 502 b, and a buffer circuit 503 b. The driving voltages of the shift resister circuits 501 a and 501 b are between 5 and 16V (typically 10V). A TFT of a CMOS circuit for forming this circuit is formed of the first p-channel TFT 200 and the first n-channel TFT 201 of FIG. 5B, or the TFT may be formed of the first p-channel TFT 280 and the first n-channel TFT 281 shown in FIG. 9A. In addition, since the driving voltage of the level shifter circuits 502 a and 502 b and the buffer circuits 503 a and 503 b become as high as 14 to 16V, it is preferable that the TFT structure be formed into a multi-gate structure as shown in FIG. 9A. Forming the TFT into a multi-gate structure is effective in raising voltage-resistance and improving the reliability of the circuits. The sampling circuit 504 comprises an analog switch and its driving voltage is between 14 to 16V. Since the polarity alternately reverses to be driven and there is a necessity to reduce the Off current value, it is desired that the sampling circuit 504 be formed of the second p-channel TFT 202 and the second n-channel TFT 203 as shown in FIG. 5B. Alternatively, the sampling circuit may be formed of the second p-channel TFT 282 and the second n-channel TFT 283 of FIG. 9B in order to effectively reduce the Off current value. Further, the driving voltage of the pixel portion is between 14 and 16V. From a viewpoint of reducing power consumption, there is a demand to further reduce the Off current value than that of the sampling circuit. Accordingly, as a basic structure, the pixel portion is formed into a multi-gate structure as the pixel TFT 204 shown in FIG. 5B. Note that the structure of this Embodiment can be readily realized by manufacturing the TFT in accordance with the steps shown in Embodiments 1 through 3. The structures of the pixel portion and the driver circuits only are shown in this embodiment. Other circuits such as a signal divider circuit, a frequency dividing circuit, a D/A converter, a _correction circuit, an op-amp circuit, and further signal processing circuits such as a memory circuit and a processing circuit, and still further a logic circuit, may all be formed on the same substrate in accordance with the processes of Embodiments 1 through 3. In this way, the present invention can realize a semiconductor device comprising a pixel portion and a driver circuit thereof on the same substrate, for example, a liquid crystal display device equipped with a signal controlling circuit and a pixel portion. Embodiment 7 In this embodiment, an example will be described where a display panel made from an EL (Electro Luminescence) material in a self-emitting type (hereinafter described as EL display device) is formed using an active matrix substrate according to the Embodiment 5. FIG. 19A is a top view of an EL display panel using the present invention. In FIG. 19A, reference numeral 10 denotes a substrate, 11 denotes a pixel portion, 12 denotes a source-side driver circuit, and 13 denotes a gate-side driver circuit. Each driver circuit is connected to an FPC 17 through wirings 14 to 16 so as to be connected to external equipment. The FIG. 19B shows a sectional structure of A-A□ of FIG. 19A. The counter substrate 80 is provided so as to cover at least surface of the pixel portion, preferably the driver circuits and the surface of the pixel portion. The counter substrate 80 is attached to the active matrix substrate, on which TFTs and EL layer are formed with a sealant 19. The sealant 19 is mixed with a filler (not shown in the figure), two substrate are attached together with the filler at equal spaces. Further, the outside of the sealant 19 and the top surface and the periphery portion of FPC 17 has a structure of being filled up by the sealant 81. As materials of the sealant 81, silicone resin, epoxy resin, phenol resin and butyl rubber are used. As it is, the active matrix substrate 10 and the counter substrate 80 are attached together with a sealant 19, space is generated therebetween. A filler 83 is filled with the space. The filler 83 has an effect of attachment of the counter substrate 80. The PVC (polyvinyl chloride), epoxy resin, silicone resin, PVB (polyvinyl butyral), and EVA (ethylene vinyl acetate) can be used as the filler 83. An EL layer is weak to moisture such as water and is likely to be degraded, so that it is preferable to mix a drying agent such as barium oxide in the filler 83 so as to keep an effect of moisture absorption. Further, a passivation film 82 is formed on the EL layer by the silicon nitride film and silicon oxynitride film to protect from corrosion by alkali element which contains in the filler 83. A glass plate, an aluminum plate, a stainless steel plate, an FRP (fiberglass-reinforced plastics) plate, a PVF (polyvinyl fluoride) film, a Mylar film (a product of DUPONT Corp.), a polyester film, and an acrylic film or acrylic plate can be used as the counter substrate 80. A sheet having a structure in which several ten_m thick aluminum foil is interposed between a PVF film and a Mylar film, is used to enhance resistance to moisture. In this manner, the EL element is completely sealed and is not exposed to the outside of air. In FIG. 19B, the TFT 22 for a driving circuit (CMOS circuit which is composed of n-channel type TFT and p-channel type TFT is shown here), and the TFT 23 for a pixel portion (only TFT controlling current to an EL element is shown here) are formed on a substrate 10 and a base film 21. Among these TFTs, in particular, n-channel TFT is provided with an LDD region having the structure shown in the present embodiment so as to prevent the decrease of the n current value due to hot carrier, or the deterioration of the properties caused by Vth shift and bias stress. For example, as the TFT 22 for a driver circuit, the p-channel TFT 200, 202 or the n-channel TFT 201, 203 shown in FIG. 5B may be used. Furthermore, as the TFT 23 for a pixel portion, a pixel TFT 204 shown in FIG. 5B or a p-channel TFT having a similar structure can be used. To manufacture the EL display device from an active matrix substrate in a state of FIG. 5B or FIG. 6B, an interlayer insulating film (a flatten film) 26 made of resin material, is formed on the source line and the drain line, and a pixel electrode 27 made of a transparent conductive film, which is connected electrically to drain of the TFT 23 for a pixel portion, is formed thereon. As a transparent conductive film, a compound of indium oxide and tin oxide (which is called as ITO), and a compound of indium oxide and zinc oxide can be used. Then after forming the pixel electrode 27, an insulating film 28 is formed, and an opening portion is formed on the pixel electrode 27. Next, an EL layer 29 is formed. The EL layer 29 can have a lamination structure including an appropriate combination of layers made of known EL materials (hole injection layer, hole transporting layer, light-emitting layer, electron transportation layer, or electron injection layer) or a single structure. Such a structure can be obtained by a known technique. Furthermore, examples of the EL material include a low molecular-weight material and polymer material. In the case of using a low molecular-weight material, vapor deposition is used. In the case of using a polymer material, a simple method such as spin coating, printing, and an ink jet method can be used. In this embodiment, the EL layer is formed by vapor deposition, ink jet method or dispenser method using a shadow mask. By forming light-emitting layers (red light-emitting layer, green-light emitting layer, and blue light-emitting layer) capable of emitting light with different wavelengths on respective pixels, a color display can be performed. In addition, a combination of a color conversion layer (CCM) and a color filter, or a combination of a white light-emitting layer and a color filter may be used. Needless to say, an EL display device emitting single color light can also be used. When the EL layer 29 is formed, a cathode 30 is formed thereon. It is desirable to remove moisture and oxygen present at an interface between the cathode 30 and the EL layer 29 as much as possible. Thus, it is required to continuously form the EL layer 29 and the cathode 30 in a vacuum, or to form the EL layer 29 in an inactive atmosphere, and form the cathode 30 in a vacuum without exposing the EL layer 29 to the outside air. In this embodiment, a film formation device of a multi-chamber system (cluster tool system) is used to make the above mentioned film formation possible. In this embodiment, as the cathode 30, a lamination structure of a LiF (lithium fluoride) film and an Al (aluminum) film is used. More specifically, the LiF film is formed to a thickness of 1 nm on the EL layer 29 by vapor deposition, and an Al film is formed to a thickness of 300 nm thereon. It is appreciated that a MgAg electrode that is a known negative electrode material may be used. The cathode 30 is connected to the wiring 16 in a region denoted by reference numeral 31. The wiring 16 is a power supply line for supplying a predetermined voltage to the cathode 30, and is connected to the FPC 17 via anisotropic conductive paste material 32. A resin layer 80 is further formed on the FPC 17 so as to enhance adhesiveness in this portion. In order to electrically connect the cathode 30 to the wiring 16 in the region 31, it is required to form contact holes in the interlayer insulating film 26 and the insulating film 28. The contact holes may be formed during etching of the interlayer insulating film 26 (during formation of a contact hole for a pixel electrode) or during etching of the insulating film 28 (during formation of an opening portion before forming the EL layer). Furthermore, when the insulating film 28 is etched, the interlayer insulating film 26 may also be etched together. In this case, if the interlayer insulating film 26 and the insulating film 28 are made of the same resin material, the shape of the contact holes can be made fine. Furthermore, the wiring 16 is electrically connected to the FPC 17 through a gap between the sealant 19 and the substrate 10 (the gap is filled with a sealant 81). Herein, although description is made with respect to the wiring 16, the other wirings 14 and 15 are also electrically connected to the FPC 17 through a gap between the sealant 81. FIG. 20 shows a more detailed cross-sectional structure of the pixel portion. FIG. 21A shows a top view thereof, and FIG. 21B shows a circuit diagram thereof. In FIG. 20A, a switching TFT 2402 provided on a substrate 2401 is formed according to the same structure of the pixel TFT 204 shown in FIG. 5B of Embodiment 1. Due to the double-gate structure, there is an advantage in that substantially two TFTs are connected in series to reduce an OFF current value. In this embodiment, the TFT 2402 has a double-gate structure; however, it may have a triple gate structure, or a multi-gate structure having more gates. A current controlling TFT 2403 is formed by using the n-channel TFT 201 shown in FIG. 5B. At this time, a drain wiring 35 of the switching TFT 2402 is electrically connected to a gate electrode 37 of the current controlling TFT by a wiring 36. Furthermore, a wiring 38 is a gate wiring electrically connected to gate electrodes 39 a and 39 b of the switching TFT 2402. At this time, it is very important that the current controlling TFT 2403 has a structure of the present invention. The current controlling TFT functions as an element for controlling the amount of a current flowing through an EL element, so that the current controlling TFT 2403 is likely to be degraded by heat and hot carriers due to a large amount of current flown therethrough. Therefore, an LDD region overlapping with a gate electrode, is provided on the current controlling TFT, thereby preventing the deterioration of TFT and enhancing the stability of the operation. Furthermore, in this embodiment, the current controlling TFT 2403 has a single gate structure. However, it may have a multi-gate structure in which a plurality of TFTs are connected in series. Furthermore, it may also be possible that a plurality of TFTs are connected in parallel to substantially divide a channel formation region into a plurality of parts, so as to conduct highly efficient heat release. Such a structure is effective for preventing degradation due to heat. As shown in FIG. 21A, a wiring to be the gate electrode 37 of the current controlling TFT 2403 overlaps a drain wiring 40 of the current controlling TFT 2403 via an insulating film in a region 2404. In the region 2404, a capacitor is formed. The capacitor 2404 functions for holding a voltage applied to a gate of the current controlling TFT 2403. The drain wiring 40 is connected to a current supply line (power source line) 2501 so as to be always supplied with a constant voltage. A first passivation film 41 is provided on the switching TFT 2402 and the current controlling TFT 2403, and a flattening film 42 that is made of a resin insulating film is formed thereon. It is very important to flatten the step difference due to TFTs by using the flattening film 42. The step difference may cause a light-emitting defect because the EL layer to be formed later is very thin. Thus, it is desirable to flatten the step difference so that the EL layer is formed on a flat surface before forming a pixel electrode. Reference numeral 43 denotes a pixel electrode (cathode of an EL element) that is made of a conductive film with high reflectivity and is electrically connected to the drain of the current controlling TFT 2403. As the pixel electrode 43, a low resistant conductive film such as an aluminum alloy film, a copper alloy film, and a silver alloy film, or a lamination film thereof can be preferably used. Needless to say, a lamination structure with other conductive films may also be used. A light-emitting layer 44 is formed in a groove (corresponding to a pixel) formed by banks 44 a and 44 b made of an insulating film (preferably resin). Herein, only one pixel is shown, however, light-emitting layers corresponding to each color R (red), G (green), and B (blue) may be formed. As an organic EL material for the light-emitting layer, a-conjugate polymer material is used. Examples of the typical polymer material include polyparaphenylene vinylene (PPV), polyvinyl carbazole (PVK), and polyfluorene. There are various types of PPV organic EL materials. For example, materials as described in □H. Shenk, Becker, O. Gelsen, E. Kluge, W. Kreuder and H. Spreitzer, □Polymers for Light Emitting Diodes□, Euro Display, Proceedings, 1999, pp. 33-37□ and Japanese Laid-Open Publication No. 10-92576 can be used. More specifically, as a light-emitting layer emitting red light, cyanopolyphenylene vinylene may be used. As a light-emitting layer emitting green light, polyphenylene vinylene may be used. As a light-emitting layer emitting blue light, polyphenylene vinylene or polyalkyl phenylene may be used. The film thickness may be prescribed to be 30 to 150 nm (preferably 40 to 100 nm). The above-mentioned organic EL materials are merely examples for use as a light-emitting layer, so that the present invention is not limited thereto. A light-emitting layer, an electric charge transporting layer, or an electric charge injection layer may be appropriately combined to form an EL layer (for light emitting and moving carriers therefore). For example, in this embodiment, the case where a polymer material is used for the light-emitting layer has been described. However, a low molecular-weight organic EL material may be used. Furthermore, an inorganic material such as silicon carbide can also be used for an electric charge transporting layer and an electric charge injection layer. As these organic EL materials and inorganic materials, known materials can be used. In this embodiment, an EL layer with a lamination structure is used, in which a hole injection layer 46 made of PEDOT (polythiophene) or PAni (polyaniline) is provided on the light-emitting layer 45. An anode 47 made of a transparent conductive film is provided on the hole injection layer 46. In this embodiment, light generated by the light-emitting layer 45 is irradiated to the upper surface (toward the upper of TFTs), so that the anode must be transparent to light. As a transparent conductive film, a compound of indium oxide and tin oxide, and a compound of indium oxide and zinc oxide can be used. The conductive film is formed after forming the light-emitting layer and the hole injection layer with low heat resistance, so that the conductive film that can be formed at a possibly low temperature is preferably used. When the anode 47 is formed, the EL element 2405 is completed. The EL element 2405 refers to a capacitor composed of the pixel electrode (cathode) 43, the light-emitting layer 45, the hole injection layer 46, and the anode 47. As show in FIG. 22A, the pixel electrode 43 substantially corresponds to the entire area of a pixel. Therefore, the entire pixel functions as an EL element. Thus, a light image display with very high light use efficiency can be performed. In this embodiment, a second passivation film 48 is further formed on the anode 47. As the second passivation film 48, a silicon nitride film or a silicon nitride oxide film is preferably used. The purpose of the passivation film 48 is to prevent the EL element from being exposed to the outside. That is, the passivation film 48 protects an organic EL material from degradation due to oxidation, and suppresses the release of gas from the organic EL material. Because of this, the reliability of the EL display device is enhanced. As described above, the EL display panel of the present invention has a pixel portion made of a pixel with a structure as shown in FIG. 21, and includes a switching TFT having a sufficiently low OFF current value and a current controlling TFT that is strong to the injection of hot carriers. Thus, an EL display panel having high reliability and is capable of displaying a satisfactory image, is obtained. In this embodiment, referring to FIG. 20B, the case will be described where the structure of the EL layer is reversed. The current control TFT 2601 is formed using a p-channel type TFT 200 of FIG. 5B. The manufacturing process is referred to Embodiment 1. In this embodiment, a transparent conductive film is used as a pixel electrode (anode) 50. Specifically, a conductive film comprising a compound of indium oxide and zinc oxide. More specifically, a conductive film made of a compound of indium oxide and zinc oxide is used. Needless to say, a conductive film made of a compound of indium oxide and tin oxide may be used. After banks 51 a and 51 b made of an insulating film are formed, a light-emitting layer 52 made of polyvinyl carbazole is formed by coating of a solution. On the light-emitting layer 52, an electron injection layer 53 made of potassium acetyl acetonate (acacK), and a cathode 54 made of an aluminum alloy are formed. In this case, the cathode 54 functions as a passivation film. Thus, an EL element 2602 is formed. In this embodiment, light generated by the light-emitting layer 53 is irradiated toward the substrate on which a TFT is formed as represented by an arrow. In the case of the structure of this embodiment, it is preferable that the current controlling TFT 2601 is formed of a p-channel TFT. This embodiment can be realized by being appropriately combined with the structures of TFT in Embodiments 1 and 2. Furthermore, it is effective to use the EL display panel of this embodiment as a display portion of electronic equipment of Embodiment 9. Embodiment 8 In this embodiment, referring to FIG. 22, the case will be described where a pixel having a structure different from that of the circuit diagram shown in FIG. 21B is used. Reference numeral 2701 denotes a source wiring of a switching TFT 2702, 2703 denotes a gate wiring of the switching TFT 2702, 2704 denotes a current controlling TFT, 2705 denotes a capacitor, 2706 and 2708 denote current supply lines, and 2707 denotes an EL element. FIG. 22A shows the case where two pixels share the current supply line 2706. More specifically, two pixels are formed so as to be axisymmetric with respect to the current supply line 2706. In this case, the number of power supply lines can be reduced, so that the pixel portion is allowed to have a higher definition. Furthermore, FIG. 22B shows the case where the current supply line 2708 and the gate wiring 2703 are provided in parallel. In FIG. 22B, although the current supply line 2708 does not overlap the gate wiring 2703, if both lines are formed on different layers, they can be provided so as to overlap each other via an insulating film. In this case, the current supply line 2708 and the gate wiring 2703 can share an occupied area, so that a pixel portion is allowed to have higher definition. Furthermore, FIG. 22C shows the case where the current supply line 2708 and gate wiring 2703 are provided in parallel in the same way as in FIG. 22B, and two pixels are formed so as to be axisymmetric with respect to the current supply line 2708. It is also effective to provide the current supply line 2708 so as to overlap one of the gate wirings 2703. In this case, the number of the power supply lines can be reduced, so that a pixel portion is allowed to have higher definition. In FIGS. 22(A) and 22(B), the capacitor 2705 is provided so as to hold a voltage applied to a gate of the current controlling TFT 2704. However, the capacitor 2705 can be omitted.
github_open_source_100_1_127
Github OpenSource
Various open source
cmake_minimum_required(VERSION 2.8 FATAL_ERROR) set(CMAKE_MODULE_PATH "${CMAKE_CURRENT_SOURCE_DIR}/cmake" ${CMAKE_MODULE_PATH}) include(ExternalProject) project(shard C) if(NOT CMAKE_BUILD_TYPE) set(CMAKE_BUILD_TYPE Debug) endif() # Find Tarantool set(TARANTOOL_FIND_REQUIRED ON) set(CMAKE_INSTALL_DATADIR "" ) find_package(Tarantool) add_definitions("-D_GNU_SOURCE") include_directories(${TARANTOOL_INCLUDE_DIRS}) # Set CFLAGS set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -std=gnu99") set(CMAKE_C_FLAGS_DEBUG "${CMAKE_C_FLAGS_DEBUG} -Wall -Wextra") if(APPLE) set(CMAKE_SHARED_LINKER_FLAGS "${CMAKE_SHARED_LINKER_FLAGS} -undefined suppress -flat_namespace") endif(APPLE) add_library(driver SHARED driver.c msgpuck.c hints.c) set_target_properties(driver PROPERTIES PREFIX "" OUTPUT_NAME "driver") #add_custom_target(check # COMMAND ${PROJECT_SOURCE_DIR}/test/mysql.test.lua) install(TARGETS driver LIBRARY DESTINATION ${TARANTOOL_INSTALL_LIBDIR}/shard) install(FILES shard.lua DESTINATION ${TARANTOOL_INSTALL_LUADIR})
github_open_source_100_1_128
Github OpenSource
Various open source
TT.Services.Favicon = (function () { 'use strict'; var icon = document.getElementById('favicon-ico'); function init() { // When we change .ico favicon, IE switches to otherwise unused .png icons, // instead of using the changed one. If we remove these icons, dynamic // favicon change works. if (TT.Services.BrowserDetection.isIE) { var favicons = document.querySelectorAll('[data-favicon-explorer]'); for (var index = 0; index < favicons.length; index++) { document.head.removeChild(favicons[index]); } } } // type: 'work', 'break', 'longbreak' function setFavicon(type) { // Firefox: only uses .ico, changing href changes the icon // Chrome: we need to delete icon and create new one if (TT.Services.BrowserDetection.isFirefox || TT.Services.BrowserDetection.isIE) { icon.rel = 'shortcut icon'; icon.href = 'icons/favicon-' + type + '.ico'; icon.id = 'favicon-ico'; } else { // chrome, opera // TODO: test with Safari icon = document.createElement('link'); icon.rel = 'icon'; // TODO: maybe remove these? icon.setAttribute('type', 'image/png'); icon.href = 'icons/favicon-16x16-' + type + '.png'; // TODO: maybe remove these? icon.setAttribute('sizes', '16x16'); icon.id = 'favicon-png'; var oldIcon = document.getElementById('favicon-png'); if (oldIcon) { document.head.removeChild(oldIcon); } document.head.appendChild(icon); } } return { init: init, setFavicon: setFavicon }; })();
1164741_1
Wikipedia
CC-By-SA
Pastoraaliteologia on teologian osa-alue, joka tutkii papin työhön liittyviä asioita sekä opillisesti että käytännöllisesti. Pastoraaliteologia luetaankin kuuluvaksi sekä dogmatiikkaan että käytännölliseen teologiaan. Tärkeitä tutkimuskohteita ovat muun muassa sielunhoito ja rippi. Pastoraaliteologiaan kuuluu myös pastoraalipsykologia, joka tutkii papin työtä psykologian menetelmillä. Lähteet Käytännöllinen teologia.
github_open_source_100_1_129
Github OpenSource
Various open source
<?php // .----------------------------------------------------------------------------------- // | WE TRY THE BEST WAY // |----------------------------------------------------------------------------------- // | Author: 贝贝 <hebiduhebi@163.com> // | Copyright (c) 2013-2016 杭州博也网络科技, http://www.itboye.com. All Rights Reserved. // |----------------------------------------------------------------------------------- namespace Weixin\Api; use Common\Api\Api; use Weixin\Model\WxmenuModel; class WxmenuApi extends Api{ /** * 查询,不分页 */ const QUERY_NO_PAGING = "Weixin/Wxmenu/queryNoPaging"; /** * 添加 */ const ADD = "Weixin/Wxmenu/add"; /** * 保存 */ const SAVE = "Weixin/Wxmenu/save"; /** * 保存根据ID主键 */ const SAVE_BY_ID = "Weixin/Wxmenu/saveByID"; /** * 删除 */ const DELETE = "Weixin/Wxmenu/delete"; /** * 查询 */ const QUERY = "Weixin/Wxmenu/query"; /** * 查询一条数据 */ const GET_INFO = "Weixin/Wxmenu/getInfo"; protected function _init(){ $this->model = new WxmenuModel(); } }
github_open_source_100_1_130
Github OpenSource
Various open source
const hub = require('hub.js') const redis = require('redis') const test = require('tape') test('cleanup the bucket', t => { const client = redis.createClient({ url: process.env.COMPOSE_REDIS_URL }) client.on('connect', () => { client.del(['testBucket|false', 'testBucket|false|timeline'], () => { t.pass('bucket deleted') client.quit(() => { t.end() }) }) }) }) test('connection', t => { const dataHub = hub({ port: 9595, inject: require('../') }) const client = hub({ url: 'ws://localhost:9595', context: false }) dataHub.set({ redis: { bucket: 'testBucket', url: process.env.COMPOSE_REDIS_URL } }) client.set({ someData: { to: 'test' }, someOther: 'data', andAnother: { pathOne: 2, pathTwo: 1 }, refData: { pathRef: ['@', 'root', 'someOther'] } }) dataHub.get(['redis', 'connected']) .once(true) .then(() => { t.pass('dataHub is connected to redis') return new Promise(resolve => setTimeout(resolve, 100)) }) .then(() => { client.set(null) dataHub.set(null) t.pass('object written to redis') t.end() }) }) test('load from redis', t => { const dataHub = hub({ port: 9595, inject: require('../') }) const client = hub({ url: 'ws://localhost:9595', context: false }) dataHub.set({ redis: { bucket: 'testBucket', url: process.env.COMPOSE_REDIS_URL } }) dataHub.get('redis') .load(false) .then((loaded) => { loaded.forEach(v => { dataHub.get(v.path, v.val, v.stamp) }) t.equals( dataHub.get(['refData', 'pathRef', 'compute']), 'data', 'reference is restored well' ) t.deepEqual(dataHub.serialize(), { redis: { connected: true }, someData: { to: 'test' }, someOther: 'data', andAnother: { pathOne: 2, pathTwo: 1 }, refData: { pathRef: ['@', 'root', 'someOther'] } }, 'loaded correct data from redis') client.set(null) dataHub.set(null) t.end() }) }) test('remove from redis', t => { const dataHub = hub({ port: 9595, inject: require('../') }) const client = hub({ url: 'ws://localhost:9595', context: false }) dataHub.set({ redis: { bucket: 'testBucket', url: process.env.COMPOSE_REDIS_URL } }) dataHub.get('redis') .load(false) .then((loaded) => { loaded.forEach(v => { dataHub.get(v.path, v.val, v.stamp) }) return new Promise(resolve => client.subscribe({ someData: { val: true } }, resolve)) }) .then(() => { client.get('someData').set(null) return new Promise(resolve => setTimeout(resolve, 100)) }) .then(() => { client.set(null) dataHub.set(null) t.pass('object updated in redis') t.end() }) }) test('load again from redis', t => { const dataHub = hub({ port: 9595, inject: require('../') }) const client = hub({ url: 'ws://localhost:9595', context: false }) dataHub.set({ redis: { bucket: 'testBucket', url: process.env.COMPOSE_REDIS_URL } }) dataHub.get('redis') .load(false, dataHub.root()) .then(() => { t.deepEqual(dataHub.serialize(), { redis: { connected: true }, someOther: 'data', andAnother: { pathOne: 2, pathTwo: 1 }, refData: { pathRef: ['@', 'root', 'someOther'] } }, 'loaded correct data from redis') client.set(null) dataHub.set(null) t.end() }) })
histoiregenerale16prev_61
French-PD-diverse
Public Domain
Nur-Addin, Rêveur & Gouverneur d’Ormuz, renouvelle, au nom du Roi son Maître, l’alliance avec les Portugais. Nur-dawlat khan, Prince, révolte, au nom du Roi son Maître, l’alliance avec les Portugais. Nuremberg, Ville, X, 123. Nur-Jalil, Sultane, X. 114. Nurmahal, Favorite d’un Grand Mogol, X. 112. Nommée aussi Nouigehan-Begum, 518. Cette Princesse fit fabriquer quantité de monnaie en son nom, 319. Nur-mahamet-Sultan, cité, 119. Mursi (Henry), confirme un Fort Anglois, IV. 17. Nuru, Compagnie, VI. 581. C’est aussi un terme d'approbation, VII. 436. Nusha-mahamet-bahadur, Successeur d’Abulghazi, et son Supplément, VII. 197. Nufi-tayghir-oli, ou oli, voy. Kavar-khan. Nutavi, X. 552. Nu-zan, Place, V. 48. Nvi-yuen, Tribunal Chinois, VI. 378. Nyan, Chinois, voy. Weyman. Nyan-cha-tse, titre d'Officiers Chinois, VI. 193. Nyau-ling, Place, VI. 516. Nyau-men-chan, Montagne, VI. 70. Nyen, Seigneur Tartare, VI. 369. Nyen-cheu-fu, Ville, voy. Yencheu. Nyendal, Voyageur, cité, IV. 40 ; 407 & suiv. 411, 417 & Juin. 411, 414. Audience qu’il obtient du Roi de Bénin, 415. Remarques qu’il réfute, 416. Nyen-fong-fu, Tribunal, VI. 411. Nyen-ishe, VII. 135. Nyeu-lang-chan, Bourg, VII. 342. Nyeu-wang, pierre ou bézoar dans la muqueuse des Vaches, V. 161. Propriété et vertu de cette pierre, VI. 51 & 83. Nyng-hya, Place, VII. 138. Nommée aussi Hys cheu, 141. Nyngin, plante, voy. Ginfeng. Nympatnam, Place, VIII. 470. Nympii-Motsi, ou Motsi, autrement Tanuawattafi, arbre levier, XI. 691. Nyu-che, Contrée, voy. Nyu-chis. Nyu chis, Nation Tartare, polie de une partie de la Chine, VI. y i o. Vallès Contrées appelées Nyu-che, & Ni-ul-han, 349. Tartares de Nyu che, VII. 9 y. Nyu-jin-que; lignification de ce nom, VI. 273. Nzufi, espèce de Chat civette, IV. 258. Nzime, espèce de Chat civette, IV. 258. Tome XVI. Akata, X. y yy. Oanda, Seigneurie, IV. 616. Cette Contrée nommée aussi Ovando & Wanda, ibid. Duché d’Oanda, V. 4. Canzon, ou Anlon, Place, & sa Description, V. 471. Carrha, Ville, XI. 384. Calling, Village, V. 347. Catz-Harbour, Havre, XI. 40. Oba, Ile, VIII. 133. Obai, ou Robai, forte de Jasmin, XI. 793. Obaku (Montagne d’), X. 339. Obeyd, Prince, VII. 149. Ce Prince avec ses Allies attaquent une Place, 171. Son armée est défaite, 171. Cité, 173, 176, 129. Obi, grande Rivière, VII. 12. Nommée aussi Ubi 14. Rivière d’Obi, 90. Source de cette Rivière appelée encore Oby, VII. 61. Fleuve Oby, XV. 108. Obiama, femme du Roi de Narfingue & Reine de Paleakate, se fait brûler avec le corps de son mari, II. 111. Le même fait, cité, IX. 61. Obila, Province, V. 98. Oblay, Prince Tartare, VII. 376. Obodu-nor, Lac, VIII. 479. Ohog, Capitale, X. 393. Observations ou remarques : Sur le revenu des Portugais aux Indes Orientales, I. 141. Sur l'excellence de Dom Jean de Castro dans son Journal, 167. Observation confirmée, 171. Sur la Marée, 181. Sur le passage des Juifs dans la mer Rouge, 193. Sur les Badus, 197. Observation sur la couleur de l’eau, 198. Remarque sur un Ouvrage et son Auteur, 200. Observations préliminaires sur les premiers Voyages des Anglois, 214. Remarques et observations d’une Flotte Anglaise, 213. Autres observations sur un Voyage des Anglois, 226. Sur l’Afrique, 227. Remarques Physiques, 228. Observation Géographique, 234. Sur le cours du vent, 233. Observation curieuse, 283. Celles de Thomas Stephens, 283. Remarques sur le Pays de Benin, 294. Sur le motif qui fait entreprendre un Voyage, 296. Sur les entreprises des Anglois, 317. Observation importante, 384. Sur les vents et les courants, 437. Observations reconnues fausses, 463. Celles de Rogers Anglois sur les Négriers de Sierra Leone, 464. Sur la variation et changement de temps, 302. Sur le Cap de das Agullas, 503. Observation sur le vent, dans des Détroits, 43. Sur les animaux, 46. Observations d’un Amiral Anglois, 47. Sur l’état de la Ville d'Aden, 56. Remarques sur la Relation d’un Voyage, 92. Observation sur l’Azimuth magnétique et l'amplitude, 95. Suite d’observations nautiques, 97. Remarques sur un Journal, 98. Observations curieuses et utiles pour les Navigateurs. Observations Nautiques, 115. Remarque sur le nom d’un Roi, 174. Remarques préliminaires, 176. Observations sur diverses Marchandises, 184. Remarques sur les progrès des Hollandois & leur caractère, 105. Observations préliminaires sur le Voyage & les Aventures d’un Anglois, 213. Remarques d’un Voyageur sur le Japon, & sur le fait de ce même Voyageur, 123 & 114. Observations sur le Pic de Ténérife, 139. Ces d’un Homme d’esprit publiées par Sprat, 140. Remarques préliminaires sur les Auteurs de plusieurs Relations, 249. Remarques de divers Écrivains, 264. Remarques particulières, 271. Remarques préliminaires, 177. Autres remarques préliminaires, 285. Observations Astronomiques, 311. Sur l’ouvrage d’une Relation, 321. Sur la Carte de Roberts & ses défauts, 334. Sur les Îles du Cap Vert, 333. Sur le Nitre & les marées des Îles du Cap Vert, 339 & 360. Différentes observations sur l’Île de Sal, 363. Sur la Baie de S. Jago, 38 & Obfervations Agronomiques sur le Pendule & le Baromètre à l’Île de Gorée, 449. Observations préliminaires sur le Voyage de Claude Jannequin, 431. Observations préliminaires finies Voyages de M. Brue, 460. Sur les Compagnons, 303. Sur les Forts de l’Afrique, 307, & suivant Sur le Royaume de Galam, & les découvertes des Français au-delà, 328, & suivant. Sur les Détroits des Îles des Sorciers, de Bourbon, & de Formosa, 368. Sur les Villes de Kachao & de Farim, 393, & suivant. Sur le Filet de Bilbao, 595. Sur le Commerce de Gorée, 601. Sur la Gomme du Sénégal et son commerce, 619. Remarques sur le Commerce de la Cambe, III. 18. Observation sur un Commerce mystérieux, 37. Remarques ajoutées à un Journal, 107. Observations sur les Cartes des Européens dans la Gambie, 129. Sur le Caractère et la Religion des Portugais noirs, 117. Sur les jaloux, 138. Remarques préliminaires sur les Auteurs qu'on doit citer, 161 & 162. Sur Sierra Leone, 121, & 3 suiv. Observations de Moore, 233. Sur les apparences du Soleil, 254. Sur le Caméléon, 300. Remarques historiques sur un Prince, 413. Observations en divers lieux, 447, & suiv. Remarques sur la misère du Cap Coté, 433. Au sujet d’une Côte, 437. Sur Labat, 463. Sur les Saluts de mer, 472. Remarques sur Terreur de plusieurs Cartes & sur la Religion des Nègres, 480. Observations générales sur la Côte de Malaguette 621. Remarques sur le Fort de S. Antoine, IV. 19. Remarques Nautiques, 81. Observation sur la Religion des Nègres de la Côte d’or, 173. Sur le maïs et le riz de la Côte d’or, 127. Sur les Forts François & Anglois à Juda, 339. Sur la Religion du Pays d'Ardra, 394. Observations Nautiques, 438. Celles de Bofman sur la Rivière de Rio Gabon, 437. Observations Physiques & Nautiques, 466. Remarques d’Atkins sur des Voyages, 469. Celles de Carli sur Marseille, 326. Observations sur le Pays de Kapinda, 374. Sig. C ccc. Observations sur la simplicité d’un Auteur et ses remarques, V. 46 & 47. Lieu d'observation, 122. Variétés dans les observations sur la latitude et longitude du Cap de Bonne-Espérance, 126 & 127. Observations sur les Cartes du Cap de Bonne-Espérance, 139. Celles d’un Auteur sur l’Autruche, &c 202. Celle d’un Auteur sur des Contrées maritimes & des Îles, 209. Remarques des Auteurs d’un Recueil, 368. Observations de Navarrete sur sa route, 403. Sur les Villes de Kin-wha & de Li-ki, 406. Observations des Jésuites sur la Personne de l’Empereur de la Chine, 526. Sur la Ville de Canton, 327. Remarques générales sur la forme des Villes de la Chine, VI. 8 & 9. Observations sur la grande muraille, les Lacs et Rivières de la Chine, 118, & suiv. Sur les viandes Chinoises, 141. Sur les tems qui conviennent aux Vers à foie, 234. Remarques sur la matière du papier Chinois, 234. Sur l’origine de l’Encre de la Chine, 238. Observation sur le Bois qu’on brûle pour la composition de l’Encre de la Chine, 239. Cérémonies en usage à la Chine pour observer les Éclipses, 267. Sur les réglés pour tâter le poulet, 284. Remarque sur la politesse des Chinois, 294. Celles des Auteurs Anglois, & du Père le Comte sur Confucius, 304. Sur l’ancienne manière de compter à la Chine, 309. Sur les usages des caractères Chinois et Européens pour l’écriture, 312 et suiv. Observation sur une Table Alphabétique, 314. Remarque d’un Auteur sur une Sélection, 326. Celle d’un Philosophe, 341. Sur l’Arboile qui porte le thé, 472. Sur la laideur du poisson nommé Haifeng, ou Haifang, 479. Observation historique & géographique de la Corée, 300, 6e suivi. Sur la situation de la Capitale de la Corée, 301. Sur les deux principaux Peuples de la Tartarie, 348. Observations Mathématiques, 333. Observations entre le Prince héréditaire de la Chine, & le Père Pianinni sur les Langues Européennes & Tartares, 369 & 370, Premières observations sur les noms de Mongols & de Tartares, 382. Sur une Rivière, 589. Sur le Gouvernement des Kalkas, 600. Observations sur quelques-uns des Eclats des Eliths, VII. 28. Remarques sur le titre de Khan, 31. Sur l’Histoire des Tartares, 45. Sur des Extraits Chinois, & leur utilité, 101. Sur quelques noms du Royaume de Tibet, 104. Du Traducteur Anglois de Bentink, 150. Observation de Jenkins, 135. Remarque sur la Carte du Tibet, 210. Sur plusieurs faits, 264. Observation de Rubrouquis, 284. Sur l’état des Infidèles, & sur la conversion des Tartares, 296. Celles de Marco Polo sur les Tartares, & la Cour de leur Khan, 348. Sur l'ouvrage de Marco Polo, 73. Remarques TABLE DES pour un Journal, 391. Sur divers Voyages tentés pour trouver des routes qui conduisent à la Chine, 413. Observations sur la grande muraille de la Chine, 471. Sur l’embouchure du Saghalian-ula, 334. Observations des Millionnaires, 383. Remarques sur une éclaircie de l'année Chinoise, 603. Observations des Hollandois, sur l’Île de Sainte-Marie, VIII. 87. Sur la Baie d’Antongil, 95. Sur le Palais du Roi de Tubas, 136 et 137. Sur le Royaume de Patane, 173. Remarques sur la haine des Portugais pour les Hollandais, 191. Observations d’un Auteur sur Madagascar, 103. Remarque sur le carnet d’un Auteur, 105. Observations sur les usages des Portugais dans leur Navigation, 133. Remarques d'un Auteur sur Ste Hélène, 136 & 137. Observations sur la route de Warwick aux Indes Orientales, 190. Celles d’un Auteur sur l’Établissement des Hollandais à Amboine, 339. Observations sur les progrès de la Compagnie Hollandaise, 373. Observations sur les abus du Commerce à Batavia, 490. Remarques sur un Article, 331. Observations d’un Auteur Français, 366 & 367. Autres observations du même Auteur, 583. Remarques sur les pierres de Madagascar, 619. Observations sur divers Points qui regardent l’Île de Madagascar, 611. Observations sur la Langue de Madagascar, 613. Remarque sur un oubli important, 640. Remarques sur le Journal de la Haye, Amiral Français, 630. Remarque sur la punishment d’un Gouverneur, IX. 7. Observations sur Négapatang, 10. Celles d’un Voyageur Anglais, 30. Observations particulières concernant le Pays de Surate, 34. Remarques sur le Pays de Surate, 38. Observation sur les Cartes marines, 36. Celles d’un Jésuite avant son départ pour les Indes Orientales, 71. Sur Malaca, 74. Sur la Chine, ibid. Remarque sur les Nids d’Oiseaux qui se manquent, 76. Sur un Auteur, 88. Remarques critiques sur l’Auteur, 91 et 92. Sur l’origine des Tonquiniens, 106. Remarques Astronomiques, 116. Observations sur plusieurs Phénomènes, 117. Celles que les Jésuites font à Batavia, 133. Sur les Mers sous la Ligne, 136. Remarques sur les Éléphants, 149. Observations Astronomiques, 133. Observation d’une Éclipse de Lune au Château de Tiel Poulsen, 137. Remarques du Père Tachard sur sa route, 161. Remarques astronomiques, 178 et 179. Variations observées près d’une mine d’Aiman, 206. Observations sur un Pays, ibid. Remarque préliminaire, 236. Remarques sur les Langues Siamese et Bulie, 313. Observations sur divers Poissons, 310, 6, suiv. Sur Tikou et le Pays voisin, 323. Sur l’île de Ceylan, 393, & suiv. Remarques sur diverses parties d’une Relation, qu’on supprime, 403. Observations sur Nanquïu ou Nan-king, 404. Sur le récit de Pinto, 410. Sur l’Île de Lequios, 444. Observations à Timpam, 470. Observations sur le Pays de Cananor, 301. Sur une Mine de Diamants, 316. Observations dans la Tente d'un Général, 327. Celles d’un Auteur Français sur les maladies de son Vaisseau, 602. Observation du même Auteur, 607, & suiv. Observations sur le Commerce des Français aux Indes, 635, & suiv. Sur le Café de l’Île de Bourbon, 643. Remarques sur le Commerce du Café en France, 644. Remarques sur une Audience, X. 44. Observations sur la Religion du Roi Mogul, régnant, Remarque sur la politesse des Indiens. Sur le Betel, Remarques sur l’Éditeur de Mandingo, Autres remarques de son Traducteur. Observations à Lahore, Sur les routes de Perse aux Indes, Remarques sur diverses Places. Observations variables d’un Auteur à Point de Galles, Du même au Cap de Bonne-Espérance. Remarques sur divers lieux de l’Indoustan. Observations sur Mékran, Sur l’ancien Royaume de Gujarate, Sur Agra, Sur Dekan, Sur la nombreuse Milice Mogole, Sur des Usages, Sur le Climat de l’Indoustan. Observations Nautiques. Sur le détroit de la Mer rouge, 286. Observations générales sur l’Arabie, 289. Des Français dans les montagnes de l’Arabie heureuse, 298. Observations Géographiques sur le Pays d’Yemen, 304. Remarques sur le Café d’Ethiopie, 308. Observations sur les Îles Marianes, & le carcan de l'Insulaire, 334. Sur les Îles Philippines, 333. Sur la Baie de Manille, 337. Observations importantes sur les longitudes & la latitude de la Mer du Sud, 374. Sur Mindanao, 424. Sur l’intérêt d’une Île, 443. Remarque sur la perte qu’un Vaisseau fait d’un jour, 456. Observations sur les chemins du Japon, 489. Premières observations des Hollandois à Jedo, 322. Observations d’un Auteur sur deux Cartes Japonaises, 332. Observation sur la nature des découvertes, 361. Sur l’arbre du Thé japonais qui porte le Thé, 682. Remarques sur les qualités du Thé, 688. Voyageurs dont on a les remarques sur les Détroits de Magellan & de le Maire, XI. 1. Observations sur le Détroit de Magellan, 4. Observations dans ce Détroit, 10. Autres observations sur ce Détroit, 17. Observations depuis le quarante-septième degré de latitude du Sud jusqu’au Détroit de Magellan, 29. Observations importantes, 33. Sur la Rivière de Batchelor, 47. Celles d’un Voyageur Anglais sur les intérêts de sa Nation, 64. Remarques sur le Journal du même Voyageur, 66. Autres observations du Voyageur, 67. Sur l’Île Gorgone, 72. Sur les Îles de Galapagos, 74. Sur une description prise aux Espagnols, & sur des Cartes, 77. Remarques sur la Colonie Hollandoise du Cap de Bonne-Espérance, 79. Observations sur le Port Désert, 82. Remarques sur le Port Saint Julien, Sur le Detroit de Magellan, Sur la Table et la Ligne de Lock, Observations sur l'île de Saint Vincent, Remarques sur l'Étendue, Observations sur l'île de Sainte Catherine, Remarques sur l'Étendue, Sur les Courants et les Vents, Sur les Bassins d'une Mer, Observations sur les avantages que les Portugais tirent du Brésil, Sur le Detroit de le Maire, Observations Nautiques, Sur le Port de Chequetan, Sur le Scorbut, Sur la nécessité d'une Méthode, Sur l'approche d'une Tempête, Sur le terrain de l'île de Timor, Sur les Marées, Observations de deux Vaisseaux Français, Sur Japara, Sur Colombo, Remarques sur un Auteur, et sur ses Voyages, Observations sur les Saisons des Indes, Observations de Dampier, Sur l'Occident de la Californie, Nécessité d'une observation, Observations sur les Rattans, Observations utiles, Sur la Nouvelle Hollande, Sur la férocité des Sauvages, Supplément aux remarques géographiques sur le Tonkin, Observations dans le quartier Impérial du Camp du grand Mogol, Remarques sur la caractéristique de Careri, Sur la suite d'une route, Observations à Canton, Observation nécessaire. Sur le Cap Saint Lucie, et sur les découvertes des Espagnols, je suis. Sur des Monuments, 5-35. Sur les Sangliers de l’Amérique, 338. Sur la Ville de Séville, 353. Sur le Commerce des Français dans la Mer du Sud, 566. Sur l'île d'Emoy, 579. Sur le Détroit de la Sonde, 398. Observations utiles, 613. Utilité des observations sur les Mers et Courants, 633. Sur le Cocotier, 670. Sur le Bézoar, 679. Sur la couleur jaune des Perles, 685. Autres observations sur le système et conditions de la Pêche des Perles, 684. Remarques sur les Cartes géographiques de l’Amérique, XII. xvj. Observations de Christophe Colomb, 10. Diverses observations, 49. Sur une Côte, 73. Autres observations, 79. Remarques sur la conduite d’un Gouverneur, 133. Observations sur une Espagnole, 140. Récit des observations d’un Castillan, 315. Observations sur le Gouvernement du Pays Mexicain, 581. Sur les Boucliers & Guerriers, Oiseaux aquatiques, 630. Sur l'Alligator & le Crocodile, 642. Sur les Tortues, 644. Observation remarquable sur les Tortues, 646. Observations des Français, XIII. 35. Remarques sur une Relation, 37. Observation sur le choix de cinq Députés, 191. Sur quatre Rivières du Pérou, 258. Observation de deux Mathématiciens Espagnols dans leur route, 179. Remarques sur les variations de l'aiguille aimantée, 119. Sur les Marées du Port de Panama, 175. Observations sur le climat de Quito, 398. MATIERES. Sur un terrain, 467. Observations dans une traversée, 470. Observations nautiques, 493. Remarques sur la grandeur et les propriétés des Îles de Juan Fernández, 499. Inutilité d’un trop grand détail d’Observations, 304. Usage de diverses observations, 306. Observations sur un Voyageur, 588. Éclaircissement sur les observations faites au Pérou pour déterminer la figure de la Terre, 609. Observation des angles de la Terre, 628. Remarques d’un Jésuite, XIV. zz. Observations astronomiques à l’embouchure du Napo, 31. Autres observations, 46. Remarque sur la petite Vérole qui fait de fréquents ravages au Paria, 47. Observations sur les deux embouchures de l’Amazone, 48. Autres faites depuis Buenos-Aires jusqu’au Détroit de Magellan, 82. Observations nautiques sur le Porc de S. Julien, 93. Remarques sur le fruit nommé Manzanille, 103. Observations sur les Mangliers, 107. Remarques sur la racine de Camotes, 110. Sur le terroir de l'isthme de l’Amérique, 112. Sur le chant et la beauté des Oiseaux de l’isthme de l’Amérique, 113. Observations sur le climat du Pays de Guayaquil, 133. Sur un Pays du Brésil et ses Habitants, 195. Sur les Biafiliens, 263. Sur les Biafiliens Antropophages, 296. Sur la Religion des Biafiliens, ibid. Observation curieuse sur les Papillons, 318. Remarque sur les Grenouilles d’Asie et d’Afrique, 334. Observations sur un Pays et sur des pierres à fil d’or, 330. Remarques sur les Incas de la Guiane, 357. Observations sur l’Île et la Ville de Cayenne, 380. Sur la difficulté de pénétrer en Guiane, 388. Premières observations d’un Voyageur Français, 410. Remarques sur la Floride Française, 433. Observations générales sur la Virginie, 491. Sur les Vignes de la Virginie, 310. Sur la Caroline et ses Habitants, 367. Sur la température du climat de Pensacole, 376. Sur le Canal de Bahama, ibid. Observations générales sur les Colonies Angloises du Continent de l’Amérique, 586. Sur un tragique événement, 602. Sur le caravalière de Cavelier de la Salle, ibid. Sur le Pays de la Baie d’Hudson, 631. Sur le Commerce des Anglois, 660. Sur les Habitants de la Baie d’Hudson, 664. Sur l’embouchure du Fleuve S. Laurent et sur les Marées, 689. Observations du P. de Charlevoix, 690. Observations curieuses, 693. Sur le Lac Erie ou de Conti, 750. Sur le Lac supérieur du Canada, 712. Sur les découvertes qui restent à faire en Amérique, 717. Remarques sur la situation de la Nouvelle Orléans, 741. Observations générales sur l’Amérique, XVII & suiv. Remarques sur les Voyages de Frobsdher, 98. Observations sur un Pays, 113. Remarques sur la Relation de l’Amiral de Fonte s 161. Suppositions établies sur des observations passées, 181. Observations sur des expériences de Voyages, 207. Sur le froid du Canada, 223. Observations particulières sur les Pays les plus éloignés du Nord de l’Amérique Septentrionale, 262 & suiv. Remarques sur l’Établissement des Anglois à la Caroline, 394. Observations du P. Labat, 409. Sur la Plaine du Cap François, 414. Sur la Côte Occidentale du Cap François, 417. Celles du P. du Tertre sur la Guadeloupe, 508. Celles du Donateur Stubbs sur le climat de la Jamaïque, 385. Observations sur les Gouverneurs Anglois de l’Île d’Antigua, 620. Sur les avantages de l'Île de Terre-Neuve, 663. Observations générales sur le climat des Antilles, 682. Sur l’origine & la nature du Sucre de l’Amérique, 484. Sur des profits de Tabac négligés, 696. Sur la méthode de préparer le Chocolat en Amérique, 704. Observation sur les articles d’Histoire Naturelle, 718. Observatoires : Celui de Péking, VI. 14. Planche de la forme de l’Observatoire de Péking, 171. Celui du Cap de Bonne-Espérance, IX. 130. Projet d’un Observatoire à Siam, 151. Ordre du Roi de Siam pour l’édification d’un Observatoire, 107. Obstacles : Causes des obstacles que les Anglois trouvent à Surate, II. 77. Obstacle au Christianisme, 161. Obstacles levés, 182. Ceux qui arrêtent les Européens, 531. Ceux de la part des Mandingos, &c. 633. Celui que le sieur Compagnon trouve à vaincre, 638 & suiv. Terrible obstacle qui arrête Stibbs, III. 66. Ceux qui arrêtent Fuller, 113. Obstacles au Commerce des Anglois, IV. 69. Obstacles au progrès de la Religion, V. 49. Obstacles aux vues des Hollandais, 130. Ceux que deux Vaissaux Hollandois trouvent à Canton, 135. Ceux qui retardent la Commission de deux Ambassadeurs Hollandois, 138. Obstacles suscités, 171. Ceux de la part du Viceroy de Ning-po, 425. Obstacle qui arrête une bonne œuvre du Gouverneur de Ning-po, 416. Obstacle de la part d’un Astronome Arabe, VI. 271. Ceux qu’un Millionnaire trouve dans son travail, 430. Obstacles de la part des Portugais, IX. 418. Obstacles à la liberté des Portugais, 411. Obstacles que Nadir-Shah ou Tamas-Kouli Khan surmontent. Obstacles que viennent de la Religion, 606. Ceux que Christophe Colomb est obligé de surmonter, XII. 4. Ceux qui arrêtent des Rebels, 133. Ceux qui s’opposent au succès d’une Commission, 348. Obstacle que les Espagnols ont à vaincre, 409. Obstacles qui font retourner Las Casas à l’Espagnol, XIII. 7. Obstacle qui trouble la paix, 86. Ceux qui surviennent à Gonzalo Pizarro, 168. Obstacle à la conversion des Péruviens, 31. Obstacles qui arrêtent longtemps une Compagnie Française, XIV. 606. Suite d’obstacles qu’Ogeron surmonte, XV. 39I. Obstacles au Commerce de la Barbade, 617. Ceux qui nuisent à la prospérité de la Colonie Anglaise de l’Île de la Providence, 641. Oblong, lieu, VII. 476. Oca, racine, XIII. 401. Celle du Pérou, XIV. 137. Ocampo (Gonzalo d’), Espagnol, tire vengeance des Indiens, XIII. 1. Cité, 163. Ocampo (Sebastien d’), fait un Voyage & des découvertes, XII. 146. Succès de ce Voyage, ibid. Ocana, Ville, XIV. 408. Occeway, Ile, XIV. 347. OcconafRio d’), XIII. 437. Occumé, titre d’Officier Siamois, IX. 233. Occidental-Chinois, Mandarin Siamese, allant en France et à Rome en qualité d'Envoyé, reconnaît le lieu où il a fait naufrage, IX. 209. Son Voyage de Siamese en Portugal en qualité d’Ambassadeur, 216. Motifs du Voyage. Son départ et sa route jusqu’à Goa. Il est forcé de s’arrêter près d’un an à Goa. Son admiration, ibid. Il s’embarque pour l’Europe, 217. Récit de son naufrage au Cap des Aiguilles. Comment il s’aperçoit du danger. Efforts inutiles pour soulever le vaisseau, ibid. Constatation de l’Équipage, 218. Moyens qu’on emploie pour se sauver. Occum arrive au rivage sur une planche. Il a le courage de retourner au vaisseau, ibid. Provisions qu’il en emporte, 219. Ingratitude d’un Portugais. Nombre de ceux qui se sauvent. Ils sont exposés à périr de froid. Leur route au travers des bois jusqu’au Cap de Bonne-Espérance, ibid. Bonheur qu’ils ont de trouver une mare d’eau, 220. Ils se divisent en trois bandes. Les Portugais quittent les Siamese. Triste état du premier Ambassadeur. Il s’arrête avec un jeune homme qu’il aime, ibid. Marche des autres, 224. Ils rejoignent les Portugais. Désespoir de l’Auteur. Il se détermine à mourir. Un ami rappelle son courage, ibid. Rencontre de quelques Hottentots, 222. Ces Barbares montrent un de leurs Villages, ibid. Comment les Mandarins soulagent leur famine, 223. Les alarmes dans le Village des Hottentots. Ils se remettent en marche. Erreur du Capitaine et des Pilotes, ibid. Fausses espérances qui augmentent leur misère, 224. Mort funeste de deux Mandarins ins. Invention pour porter de l’eau, ibid. L’Auteur tue un Serpent qu’on mange tout entier, 225. Vent terrible. Pluie — qui l’est encore plus. Ils sont abandonnés des Portugais. Leur consternation, ibid. Discours d’un Mandarin qui relève leur courage, 226. Ils s’efforcent de retrouver les Portugais. Rivière qu’ils veulent traverser, ibid. Ils en suivent les bords, 227. Ils trouvent quelques traces des Portugais. Mort d’un des Interprètes, ibid. Murmuré de la troupe, 228. Elle retourne sur ses pas. Leur joie en arrivant à l’Île aux Moules. Le bois leur manque, ibid. Ils prennent la résolution de s’abandonner aux Hottentots, 229. Motifs qui les obligent de quitter l’Île aux Moules. Rencontre de trois Hottentots. Ce qu’on croit entendre par leurs signes. Secours que l’on en tire, ibid. Reste de la marche & ses difficultés, 230. Rencontre de deux Hollandais, 231. Transports naturels de reconnaissance, ibid. Raisons qui font choisir Occum-Chamnam pour l’Ambassade de France à Rome, 134. Occum-Surina, Mandarin Siamois, IX. 195. Océan : Fond au milieu de l’Océan, IV. 531. Vent alizé de l’Océan Atlantique, XI. 618. Océan nommé Asiatique, XII. 274. Ochir-tu-che-ching-han, Chef des Eluths, VII. 26. Cité, 27. Ochoa (Martin d’) , Officier Espagnol, XIV. 434 et suiv. Oci-vu, Bourg, VIII. 12. Ocka, Ville, IV. 83. Oc-louang, titre d’Officier Siamois, IX. 233. Jeune Mandarin nommé Oc-Louang-Souracac, 289. Oc-Mening, titre d’Officier, IX. 253. Ococingo, Ville, XII. 488. Oconge, Place maritime, X. 350. Ocos, Oiseau, XI. 57. Oc-pan, titre d’Officier Siamois, IX. 253. Ocpra, titre d’Officier Siamois, IX. 207.253. Ocre, Fossile de l’Île S. Jago, II. 378. Les Nègres en mettent dans leurs ragoûts, III. 247. Éléotatas, Peuple, XIV. 7 4 Cette Nation nommée aussi Madotatas, 731. Oculus ou Piscis oculatus, Possession IV. 127. Ocutapour, Baie ou Rade, X. 86. Oc-ya, titre d’Officier Siamois, IX. 253. L’Officier de l’intérieur du Palais Royal de Siam se nomme Oc-ya-Vang, 280. Le Successeur à la Couronne de Siam porte le titre d’Oc-ya Out Haya tanne, 284. Le Receveur des revenus Royaux porte celui d’Oc-ya Pillatep ou Voret tep, 285. Oda, X. 551. 553 554 Odjena, Pays, voy. Mina. Oddy (Rio), IV. 429. Divers noms de cette Rivière, 442. Oder, Rivière, X. 126. Odia, Capitale de Siam, IX. 482. Odioa, nom de la Ville de Siam, IX. 240. Odiquas, Nation, V. 111. Guerre & réconciliation de ce Peuple nommé aussi Odiquas, n 2. Odoli-hotun, Ville ruinée, VI. 589 Odon, Légat du Pape, VII. 264. Ce Saint Evêque Surnommé Molos, 279. Odonais (M. Godin des), XIII. 616. & suiv. Odoric, d’Odin, Cordelier Voyageur, VII. 374. Odovara, Ville, X. 520. Odsven, ou Andierne, I. 543. Oedo, ou Bénin, Capitale du Royaume de Bénin, voy. Bénin. Œgithus, Oiseau, V. 203. Oeil, ou Elanceur, espèce de Serpent, V. 197. Epata, grand arbre, & Son fruit, XI. 657. MATIÈRES. Œufs : Celui de l’Autruche produit sans être couvé. Groffeur des œufs d’Autruches, 608. Œuf de la groffeur d’un bois de fruit qui contient un enfant mâle, VI. 507. Fruit nommé œufs de Dragon, IX 120. Prodigieuse quantité d’œufs d'Oiseaux, X. 433. Œufs pétrifiés qui se trouvent dans des fondements, XII. 46. Goût des œufs de Crocodiles, 510. Oexmelin, Historien, XII. 510 & suiv. Œufs, Ville en Portugal, IX. 388. Offen, racine, VIII. 607. Offra, Ville, dont les troupes sont battues, IV. 267. Situation de cette Place, 388. Comptoirs Anglois & Hollandois à Offra, ibid. Offuse, Ville, VIII. 454. Ogur, nom des plus riches mines du Monomotapa, V. 224. Mont Ogur, 225. Ogaday, Prince, voy. Oktay-khan. Ogane, Prince puissant, pris pour le Prêtre Jean, I. 16. Situation de Son Royaume, ibid. voy. Prêtre-Jean. Ogen, Pays, & Sa monnaie, X. 32. Ogeson de la Bouere, Gentilhomme Angevin, voy. Bouere (Ogeron de la). Oghevara, Village, X. 514. Ogheghe, arbre, voy. Oghegue. Oghegue, arbre feuillu qui forme des haies, IV. 637. Fruit de cet arbre nommé aussi Ogheghe, V. 74. Ogilby, Ecrivain, cité, V. 232. 282. Cité, VII. 412. 425. Cet Historien, cité, XII. xiij de l'avant-propos. 477. Ogivaki, Village, X. 511. Ogle, Capitaine de l'Vaisseau de guerre Anglois, III. 461. Oglethorpe (M.). Sa générosité, III. 112. Il est au nombre des Directeurs de la Compagnie Angloise, 123. Il n'épargne rien pour établir le Commerce de la Gomme, ibid. Voyage de M. Oglethorpe, XIV. — 578. Cité, 579, et juin. Son retour avec plusieurs Chefs Indiens, 581. Il visite les Colonies étrangères, 583. Cité, 585. Ogmus, X. Ogné (Côte d’) , X. 397. Ogon, espèce de féves venimeuses, III. 223. Ogorites, Peuples, VI. 238. Ogotay, Prince, voy. Ugaday. Ogoua, Ville des Nègres, IV. 50. Sa situation et sa grandeur, ibid. Ses Édifices, 51. Comment cette Ville s'est dépeuplée. Elle s’est rétablie. Caractère de ses Habitants, ibid. Noms qu’ils donnent à leurs enfants, 52. Leur intrépidité à la pêche et autres occasions, ibid. Marché de cette Ville, 57. Ogoxofama, Empereur du Japon : Présent que les Anglois lui font, II. 158. Il usurpe l’Empire et enferme le légitime héritier, 160. Patentes et Privilèges pour le Commerce qu’il accorde aux Anglois, 66. Guerres entre Ogoxofama et son Gendre, 105 et suiv. Ogui, Ville, VII. 343. Ogurenna, ou Sen-Fuku, arbustier, XI. 714. Ogurza, Province, VII. 148. Oguz, Prince, & son caractère, VII. 37. Son zèle pour le culte du vrai Dieu, 38. Comment il évite la mort. Ses exploits sur le Trône. Ses nouvelles conquêtes, ibid. Il fait la conquête du Royaume d’Iran, 39. Arcs et flèches d’or qu’il fait enterrer. Fête qu’il donne à son retour, ibid. Division de ses États après sa mort, 40. Ohan, Pays, VI. 379. Tartares Ohans, voy. Tartares. Oheyd-khan, Prince, VII. 164. Ohin, ou Ahin, titre de Roi : ce qu’il signifie, IV. 181. Ohio, Rivière, XIV. 708. Oi, X. 332. Oies, voy. Oyes. Oignons & Poireaux du Japon, XI. 706. Oi-Nira, ou Kei, Poireau, XI. 706. Oiseau-royal, voy. Butor & Oiseaux. Oiseaux: Grand nombre d’oiseaux dans une Île sans nom, I. 13. Prodigieuse quantité d'oiseaux vers les Cotes d’Afrique, 284. Il y en a beaucoup dans l’Île des Penguins, 303. Quantité d’oiseaux de diverses forces, II. 46. Charmant ramage des Oiseaux, 233. Forme d’une espèce d'oiseaux & propriétés de leurs nids, 364. Diverses sortes d’oiseaux dans l’Île de Mayo ou de May, 370. Oiseaux de diverses couleurs dans l’Île de S. Jago & leur propriété, 376. Adaptation d’un fil d’argent pour pêcher, 468. Variété d'Oiseaux au Sénégal, 302. Oiseau bleu d’une espèce rare, 311. Oiseau nommé Quatr’aîles, 327. Oiseau à voix humaine, 310. Une forte d’oiseaux révérée des Nègres, 390. Une espèce appelée spatule, ibid. Oiseau du Paradis, autrement Monocère, 646 & suiv. Oiseau de la grossière d’un homme, III. 32. Autre espèce, 37. Oiseaux à Couronne, ibid. Autres oiseaux longs de six pieds, 38. Abondance & variété d’oiseaux faciles à tuer, & pourquoi, 39. Autre nommé le Tropique, 77. Oiseaux de Mer à Sierra Leone, 226. Oiseaux des Bois, 233. Ceux d’Afrique, 303 & suiv. Oiseau Impérial, nommé autrement Paon d’Afrique ou Demoiselle de Nouvelle-Scandinavie, 306. Oiseau rare, 308. Celui à gros bec & son cri. Variété de petits Oiseaux, ibid. Il y en a peu de privés en Afrique, Une espèce sans jambes, Oiseaux de toutes fortes au Pays d’Islin, Un blanc à queue rouge, Le Tropique, Oiseau singulier, Autres espèces d’oiseaux, Oiseaux Féchant, IV. t 60. Division en trois dalles des oiseaux de la Côte d’or, Espèces communes, Oiseau nommé Portugais, Figures d’oiseaux de Guinée. Une espèce qui se mange avec les plumes, Oiseaux de proie de la Côte d’or, Oiseau à couronne, Erreur de plusieurs Écrivains sur ce dernier Oiseau. Deux autres fortes d’oiseaux à couronne, Oiseau d’une beauté singulière & la description, Autre Oiseau, Un extraordinaire, Oiseaux qui dévorent les grains, Oiseau extraordinaire, Autre Oiseau, Etrange Oiseau nommé l’Étoile, Multitude d’Oiseaux dans le Pays de Juda, & leurs couleurs, L’Oiseau à couronne moins beau à Juda qu’en Guinée. Différentes sortes de beaux Oiseaux, Ils changent de couleur à chaque mue, Oiseaux de proie, Oiseaux noirs redoutés à Bénin, Un qui a le cri d’un enfant, Oiseaux qui annoncent la terre aux Voyageurs, Multiplicité d’une espèce d’oiseaux & leur forme, Divination par le vol des oiseaux, Butors gris qui portaient le nom d’Oiseau Royal. Oiseau qui danse au fond des instruments, 77. Les plumes de la queue d’un Oiseau sont l'ornement des femmes Portugaises. Nids des petits & grands oiseaux. Oiseaux de musique que les Nègres mettent en Cage. Un qui prononce le nom de Jésus-Christ. Un autre va droit. Un autre découvre le miel par son chant, ibid. Oiseaux du Cap de Bonne-Espérance & leurs figures. 200. & suiv. Variété des petits oiseaux, 202. Un appelé l’Oiseau bleu, ibid. Autres oiseaux, 203. Oiseaux privés ou Volaille, ibid. Oiseau singulier, 1. Multitude d’oiseaux sur un Lac & un Canal, 433. Bel oiseau nommé Poule d’or, VI. 87. Oiseaux curieux, 101. Oiseaux qui rendent du cotton par le bec, 103. Nids d’oiseaux, aliment fort délicat, 141. Planche ou vue de l’oiseau Pêcheur, 221. Oiseaux pour la pêche, ibid. Oiseaux de la Chine, 487 & suiv. Oiseaux de combat, 487. Oiseaux imaginés par les Chinois, 488. Oiseaux en abondance, 333. Oiseaux familiers, VII. 386. Nids d’Oiseaux qui se mangent, VIII. 176. Oiseaux du Paradis, autrement nommés Paxaros del loi & Manucodiata, 377. Oiseaux de l’Île de Ceylan, 347 & 348. Ceux de Madagascar, 603. Un nommé l’Oiseau de feu, 606. Bel oiseau nommé le Solitaire, IX. 3. Remarque sur les nids d’Oiseaux qui se mangent, 76. Erreur sur les nids d’Oiseaux qui servent d'aliment, 121. Grands Oiseaux du Pays de Siam, 311. Prodigieux nombre d’Oiseaux, 368. Nids d’Oiseaux, mets fort délicat, X. 392. Nom de l’Oiseau dont on mange les nids, 402. Oiseau singulier. Prodigieuse quantité d’œufs d'Oiseaux, Oiseau de beauté singulière, Oiseaux domestiques du Japon. Oiseaux sauvages, Oiseaux de proie. Chair de pigeon dont sont faits les nids d’Oiseaux qui se mangent, Oiseaux du Cap Horn, Oiseaux de l’Île Juan Fernández. Oiseaux qu'on rencontre en plein mer. Oiseaux singuliers dans l’Île de Ceylan, Oiseaux d’une beauté distinguée, Petit oiseau noir qui part la nuit dans le sable, Oiseau qui a l’instinct de découvrir une herbe qui cause le froid, Oiseau de la griffe d’un mouton. De quoi sont composés les nids d’oiseaux qui se mangent, Oiseaux de la Nouvelle Espagne. Singularité des nids d’une espèce de Corneilles, Oiseau nommé Monllrueux. Oiseaux singuliers, Remarque sur l’abondance et la beauté des Oiseaux de l’isthme de l’Amérique. Autres oiseaux, Oiseaux de Mer, Oiseaux des Montagnes et Paramos, Ceux du Chaco, Ceux de l’Amazone, Variété d’oiseaux, Oiseaux du Brésil, Celui nommé l’Oiseau lugubre, Oiseaux marins, Ceux de l’Île de Magellan, Île aux Oiseaux. Oiseaux de l’Amérique Septentrionale, Oiseau mouche, Oiseaux du Pays de Spitzberg. Description de quelques oiseaux, Îles des Oiseaux, Pourquoi ainsi nommées, Autres Îles des Oiseaux, Île aux Oiseaux. Oiseau, Village près de Bénin, IV. 4M Oistama, X. JO. Oistograkh, Ville, VII. 417. Oitz, Ville & Lac de ce nom, X. 3 11. Oja, Ville Île au Royaume de Mélinde, I. 93. Sa situation, 94. Prise de cette Ville, & massacre des Morès, ibid. Cette Ville était autrefois de la dépendance de celle de Quittau, ibid. Oja de S. Juan, ou Sarafa, fleur, X. 418. Ojeda, Voyageur, dont le Journal n’est pas pu blié, XII. v. de L’avant-propos. Cité sous le nom d’Alfonso d’Ojeda, 44. Il est envoyé à la découverte des Mines. Il trouve de l’or en abondance, ibid. Cité, 47. Son artifice pour se faire du Cacique Caonabo, 33. Comment il l’emmené prisonnier, ibid. Son voyage pour tenter de nouvelles découvertes, 86. Il s’assied avec Jean de la Cosa & Amerigo Vespucci, ibid. Sa route, 87. Il arrive au Continent de l’Amérique. Situation du Pays qu'il découvre, ibid. Il découvre un Village situé comme Venise, 89. Nom qu’il lui donne, ibid. Utilité qu’il tire des Mémoires de Colomb, 90. Agréable accueil que ses gens reçoivent d’une Nation Indienne, ibid. Divers lieux qu’il nomme, 91. Service qu’il rend aux Indiens en faisant la guerre à leurs Ennemis, ibid. Il est mal reçu en partant par l’Île Espagnole, 92. Roldán est employé contre lui, ibid. Ojeda va joindre les Rebelles de Xaragua, 93. Roldán le force de remettre à la voile. Il va grossir le nombre des ennemis de Christophe Colomb en Espagne, ibid. Son second voyage, 114. Ses nouvelles coutumes, 115. Son aventure, ibid. choisi pour de nouvelles entreprises, 148. Sa situation dans l’Île Espagnole, ibid. Diego de Nicuesa lui est associé, 149. On partage entre eux le Gouvernement des Pays qu’ils doivent diviser sous les noms de Nouvelle Andalouse et de Castille dorée, ibid. Différend entre eux, 152. Ils partent chacun avec son Escadre, 133. Voyage d’Ojeda. Sa route vers le Port de Catalogne. Singularités d’instructions qu’il reçoit pour sa conduite avec les Indiens, ibid. Ses premiers démêlés avec eux sont sanglants, 134. Il est dangereusement blessé, 135. Il perd grand nombre de ses gens. Comment il échappe aux Indiens, ibid. Générosité avec laquelle il est traité par Nicuesa, 136. Ojeda fonde la Ville de St Sébastian dans le Golfe de Darien, 157. Il envoie de mandat des provisions à l’Île Espagnole. Extrêmités où il est réduit par la faim. Il achète les provisions d’un vaisseau de fugitifs. Il est blessé d’une flèche empoisonnée, ibid. Remède extrordinaire que son courage lui fait employer, 138. La famine le contraint d’aller chercher lui-même des vivres à l’Espagnole. Ses gens irrités l’enchaînent. Il échoue sur la Côte de Cuba. Ce qu’il trouve dans cette Île, ibid. Il part heureusement à la Jamaïque, 139. Et de là à l’Espagnole. Sa mort, ibid. Son caravane, 160. Milieu des Castillans qu’il laisse à St Sébastian, ibid. Un autre de même nom, cité, XIII. 4. Alfonso ou Alonso d’Ojeda, cité, 233. Ojibar (Plages d’), XIII. 363. Rivière d’Ojibar, 461. Ojo, ou Fuge, grand buis, XI. 694. Oka, X. 536. Okam, VI. 206. Okamni, ou Ifok Fakaki, arbrique, XI. 693. Okanda, X. 313. Olcanga, Royaume, V. 2. Okango (Pango de), voy. Kondi, Territoire. Okarentin, Village, XIV. 279. Okafaki, Ville, X. 513. Okefra, Péninsule, X. 480. Okhota, ou Okhotskoy-Ostrog, lieu, XV. 171. Oki, ou Insju, Île érigée en Province, X. 335. Okino-Camiro, Village, X. 498. Autre Village nommé Okino Comito, ibid. Okinokofima, X. 339. Okka, Village, IV. 83. Okkoday, Prince, voy. Ugaday. Okkon, mot que les Nègres emploient dans leur prière, III. 436. Okliens: Tribu de ce Peuple, VII. 33. Okli-koklan, Tribu Turcomane, VII. 177. Okokuni, X. 348. Okolnitz, VII. 498. Okongi, X. 348. Okofaki, Place, VIII. 407. Oktay, & Oktay-khan, voy. Ugaday, Prince. Oicuffi, succède au Souverain Pontificat, X. 540. Oku-Jeio, Continent, X.547. Entreprises des Japonais pour en découvrir les bornes. Ses Provinces, ibid. Olcuno, X. 349. Okus (Golfe d’), X. 644. Olalia (Sanda), lieu, XI. 539. Autre lieu du même nom, 536. Olamba, Tambour Royal, III. 176. Olancho, Vallée, & ses Mines, XII. 651. Ville nommée S. Jean d'Olancho, ibid. Olano (Lope d’), Lieutenant, se sépare de Nicuesa, XII. 165. Nicuesa le retrouve & ne lui pardonne qu'à demi, 164. Cité, XIII 171. Olcacazan, espèce de Chinoise, plante, XII. 618. Olcan, Village, V. 235. Olden-Barneveld, Iles, voy. Barnevelt. Old Hat bour, ou le vieux Port, Baie, XV. 177. Ole, arbre ou plante, VIII. 483.
US-201514845735-A_1
USPTO
Public Domain
High-reliability high-speed memristor ABSTRACT A memristor has a first electrode, a second electrode parallel to the first electrode, and a switching layer disposing between the first and second electrodes. The switching layer contains a conduction channel and a reservoir zone. The conduction channel has a Fermi glass material with a variable concentration of mobile ions. The reservoir zone is laterally disposed relative to the conduction channel, and functions as a source/sink of mobile ions for the conduction channel. In the switching operation, under the cooperative driving force of both electric field and thermal effects, the mobile ions are moved into or out of the laterally disposed reservoir zone to vary the concentration of the mobile ions in the conduction channel to change the conductivity of the Fermi glass material. CROSS-REFERENCE TO RELATED APPLICATIONS This application is a continuation of co-pending U.S. application Ser. No. 14/127,873, filed Dec. 19, 2013, which is itself a 35 U.S.C. 371 national stage filing of International Application S.N. PCT/US2011/041881, filed Jun. 24, 2011, both of which are incorporated by reference herein in their entireties. BACKGROUND Current memory technologies, including DRAM (dynamic random access memory), SRAM (static RAM) and NAND Flash, are quickly approaching their scalability limits. Accordingly, there is a strong need for new memory technologies that can meet the performance requirements of future memory applications. Resistive RAM, which is a type of memristor, is a promising technology and has been shown to exhibit great scalability, non-volatility, multiple-state operation, 3D stackability, and CMOS compatibility. There have been, however, challenges in improving the performance of such devices, such as device endurance, thermal stability, and switching speed. BRIEF DESCRIPTION OF THE DRAWINGS Some embodiments of the invention are described, by way of example, with respect to the following figures: FIG. 1 is a schematic illustration of a top view of a high-endurance, high-speed, and low-energy memristor in accordance with an embodiment of the invention; FIG. 2 is a schematic perspective view of a memristor that has a unique new structure and a new switching mechanism in accordance with an embodiment of the invention; FIG. 3 is an example of an I-V curve of the high-endurance, high-speed, and low-energy memristor of FIG. 1; FIG. 4 is a chart showing temperature coefficients of the resistance of the material in the conduction channel of the memristor of FIG. 1; and FIG. 5 is a schematic cross-sectional view of the memristor structure of FIG. 2 with illustrations of the new switching mechanism. DETAILED DESCRIPTION As described below, the inventors of the present invention have discovered a unique new structure of memristors. The unique structure of the memristors, coupled with a unique switching mechanism, allows the devices to provide significantly improved performance characteristics over previously know switching devices, including much improved endurance, low switching energy, and fast switching speed. FIG. 1 shows in a schematic form a top view of a sample of a memristor 100 according to an embodiment of the invention. The sample device 100 has a top electrode formed of Ta, a bottom electrode formed of Pt, and a switching layer disposed between the top and bottom electrodes. In the device fabrication process, the switching layer is formed to contain amorphous Ta₂O₅. As described in greater detail below, however, the composition of the switching layer is changed when the device has been operated. The device demonstrated high enduring by remaining switchable even after 15 billion ON-OFF cycles without any feedback or power-limiting circuits. The device was switchable using a relatively low voltage, less than 2V, for both the ON switching and OFF switching. Furthermore, the switching time for both ON and OFF was less than 2 nanoseconds. As a result, the device exhibits a very low switching energy (<1 pJ). The top view in FIG. 1 is a schematic presentation of an image obtained by means of Pressure-modulated Conductance Microscopy (PCM). The PCM image was taken by using a non-conducting Atomic Force Microscopy (AFM) tip to apply pressure to the top electrode of the sample device 100, and simultaneously monitoring the change of resistance of the device at a small current bias. This yielded a resistance map as a function of the AFM tip position. The resistance variation in the map allows a conduction channel in the switching layer of the device to be identified. As shown in FIG. 1, it has been found that the switching layer has a well-defined conduction channel 110. The observed conduction channel has a dimension on the nanoscale, and is around 100 nm for the sample device. Surrounding the nanoscale conduction channel 110 is a generally annular region 120 which, as described below, is a reservoir zone that functions as a source/sink of mobile ion species for the conduction channel 110. As will be described in greater detail below, the switching mechanism involves the movement of mobile ion species between the conduction channel 110 and the laterally disposed reservoir zone 120, which allows for the improved switching characteristics such as high speed, low energy, and high endurance. After the location of the conduction channel 110 in the switching layer of the sample device is identified by the PCM technique, the sample device is cross-sectionally cut along the line A-A in FIG. 1 using Focused Ion Beam (FIB). The structure and composition of the conduction channel and its surrounding regions are then examined using Cross-sectional Transmission Electron Microscopy (X-TEM) and Electron Energy-Loss Spectroscopy (EELS). Based on the physical characterizations using those techniques, an understanding of the conduction channel region as well as the switching mechanism has been formed. FIG. 2 is a schematic view of the structure and composition of a memristor 200 with a unique new structure according to the invention. The device has a top electrode 202, a bottom electrode 204 that is generally parallel to the top electrode, and a switching layer 206 disposed between the electrodes. The switching layer 206 includes a nanoscale conduction channel 210 between the top and bottom electrodes. As used herein, the word “nanoscale” means that the dimension of the item is on the scale of nanometers. In some embodiments, the conduction channel 210 may have the shape of a truncated cone, as illustrated in FIG. 2, such that it is wider near the top electrode 202 and narrower towards the bottom electrode 204. Adjacent the conduction channel 210 is a reservoir zone 220 that is capable of providing or absorbing mobile ions of a selected species. In this embodiment, the reservoir zone 220 is a generally annular region surrounding the conduction channel 210. The reservoir zone 220 is disposed laterally with respect to the conduction channel 210 in that it is to the side, rather than being in series along the vertical center line 212 of the conduction channel 210 between the top and bottom electrodes. This is a surprising feature, which is drastically different from previously known memristors (e.g., devices based on titanium oxide as the switching material). As explained below, it is believed that this feature is linked to a unique switching mechanism that allows the memristor 200 to have multiple desirable switching characteristics. The conduction channel 210 contains a material that behaves as a “Fermi glass.” The Fermi glass material is capable of going through a composition-induced metal-insulator transition as a function of the concentration of the species of mobile ions that are sourced or sunk by the lateral reservoir zone. As a result, the conduction channel 201 may be put in a high-resistance state (the OFF state) or a low-resistance state (the ON state) by adjusting the concentration of the mobile ions in the Fermi glass material. Another property that can be used to identify a Fermi glass is the sign (or polarity) of the temperature coefficient of its conductivity as a function of the mobile ion concentration. In this regard, there are many different Fermi glasses that could be used as the material in the conduction channel for switching. They include oxides, nitrides, sulfides, phosphorides, carbides, boronides, fluorides, chalcogenides, etc., which could be binary, ternary, quaternary or more components. Some examples of such Fermi glass materials include TaO_(x), HfO_(x), ZrO_(x), YO_(x), ErO_(x), SmO_(x), ScI_(x), GdO_(x), TiO_(x), MnO_(x), SnO_(x), CrO_(x), WO_(x), NbO_(x), MoO_(x), VO_(x), CoO_(x), FeO_(x), NiO_(x), ZnO_(x), MgO_(x), CaO_(x), AlO_(x), SiO_(x), GaO_(x), AlN_(x), GaN_(x), SiN_(x), SiC_(x), BC_(x), Ag_(x)S, Cu_(x)S, BN_(x), SrTiO_(3-x), CaZrO_(3-x), LiTiO_(x), PCMO (Pr_(0.7)Ca_(0.3)MnO_(x)), etc. with 0<x≦3. Based on the information obtained from analyzing the sample device 100 as described above, in one embodiment, the conduction channel 210 contains a solid solution of tantalum and oxygen, although the concentration of oxygen may exceed the 20% limit as provided by a textbook phase diagram for Ta. The Ta—O solid solution remains amorphous. The tantalum-oxygen solid solution may alternatively be viewed as an amorphous film of tantalum oxide with the tantalum therein having multiple valence values. In this case, the Ta—O solid solution behaves as a Fermi glass, with oxygen anions (O²⁻) as the mobile ion species. A relatively small change in the O²⁻ concentration may cause significant change in the overall conductivity of the Ta—O solid solution. In the low-resistance state (LRS) or ON state, the Ta—O solution in the conductive channel exhibits metallic behavior, evidenced by the linear I-V curve segment 230 in the ON state in FIG. 3 and positive thermal coefficient of resistance (TCR) as shown by the slope of the line 240 for the ON state in FIG. 4. The OFF state also shows an almost linear I-V curve segment 232 in FIG. 3, but with a negative TCR as shown by the line 242 for the OFF state in FIG. 4. The Fermi-glass behavior of the Ta—O solid solution is confirmed by studies of the conductivity changes of such material as a function of O²⁻ concentration and also the sign change of the temperature coefficient of resistance (TCR) from positive on the metallic side to negative on the insulating side of the transition. Based on matching the TCR with the reference films of Ti—O films with different oxygen concentrations, the averaged oxygen concentration value of the conduction channel has been determined to be approximately 15±5 atomic % for the ON state, 23±5 atomic % for the intermediate state, and 54±5 atomic % for the OFF state. The annular source/sink zone surrounding the conduction channel is formed of tantalum oxide (TiO_(x)), the composition of which is expected to be close to Ta₂O₅. The region 222 immediately adjacent to the reservoir zone 220 contains largely Ta₂O₅, and some portions have been observed to have been crystallized (a high-temperature tetragonal α—Ta₂O₅ phase), evidencing significant heating caused by the switching operations. The remaining portion of the switching layer outside the crystallized Ta₂O₅ region 222 is amorphous Ta₂O₅ (as grown). The structural and compositional analyses of the new memristor reveal a unique switching mechanism which is very different from that of previously known memristors. The new switching mechanism is explained here by way of example using a device based on Ta—O as the channel material. As shown in FIG. 5, the active region of the device has a conduction channel 210 surrounded in the bottom portion by a lateral reservoir zone 220 of tantalum oxide (TaO_(x)). The device 220 may be turned from ON to OFF, or from OFF to ON, by changing the concentration of the O²⁻ anions in the Ta—O solid solution in the conduction channel 210, which behaves as a Fermi glass. In other words, the device 200 is switched by means of composition-induced conductivity changes in the material in the conductive channel 210. The switching is bipolar in that the ON-switching voltage and the OFF-switching voltage have opposite polarities. To switching the device from the OFF (HRS) state to the ON (LRS) state, a positive voltage is applied to the top electrode 202, while the bottom electrode 204 is equivalently negatively biased, as illustrated in the left side of FIG. 5. The resultant electric field E drives the oxygen anions upward. At the same time, a steep temperature gradient is produced by Joule heating of the electronic current in the OFF state, causing the Soret effect, also known as thermophoresis. Thermophoresis is the diffusion of mobile species (such as atoms, ions, or vacancies) in a steep temperature gradient, under which dilute vacancies (e.g., oxygen vacancies) can preferentially diffuse toward the higher temperature. In this case, the thermophoresis effect causes oxygen vacancies to diffuse radially inward from the reservoir zone 220 towards the center of the conductive channel 210. An equivalent view is that the oxygen anions are diffusing outward from the conduction channel 210 towards the lateral reservoir 220. Thus, oxygen anions drift upward from the lower part of the conduction channel due to the applied electric field, and are then swept radially out of the channel to the lateral reservoir. Due to the combined or cooperative effects of the vertical drifting caused by the electric field and the lateral diffusion caused by thermophoresis, the oxygen anions O²⁻ move along a non-linear path out of the lower portion of the conductive channel, as illustrated by the curved arrows 250 and 252. The reduction of the oxygen concentration in the conduction channel 210 results in a low resistance, thereby putting the device in the ON state. To turn the device from the ON state to the OFF state, a positive switching voltage is applied to the bottom electrode, as illustrated in the right side of FIG. 5. Thus, the electric field for OFF-switching is opposite to that of ON-switching. As the device starts in the ON state, the initial switching current through the conduction channel 210 is large. The high power causes the conduction channel 210 and its surrounding to heat up. The higher electrical and thermal conductivity of the channel in the ON state distributes the heat more uniformly as power is applied to the device. As a result, the resulting temperature gradient is flatter (in contrast with the large gradient during the OFF switching), which enables rapid Fick diffusion of oxygen anions O²⁻ from the lateral reservoir zone 220 (high concentration) towards the center of the conduction channel (low concentration). The diffused oxygen anions are simultaneously driver downward by the electric field E generated by the switching voltage. The general path of the oxygen anions is illustrated by the curved arrows 250 and 252. As a result, the oxygen concentration in the lower part of the conduction channel 210 is replenished, causing the resistivity of the Ta—O solid solution to increase significantly, thereby putting the device in the OFF or HRS state. Again, as in the ON-switching operation, the exchange of mobile oxygen anions between the lateral reservoir 220 and the lower portion of the conduction channel 210 is the main mechanism for the switching. The switching mechanism described above utilizes a lateral reservoir disposed to the side of the conduction channel to source or sink the mobile ions to cause composition-induced conductivity changes. It should be noted that this switching mechanism does not involve a tunneling gap reduction (for ON switching) or increase (for OFF switching), as there is no tunneling gap in this picture. This makes the new switching mechanism very different from the switching mechanism bases on the adjustment of a tunnel gap as found for other known switching oxides. It is also significantly different from the other known memristors, such as titanium oxide-based devices, where the ion source/sink is in series of the conduction channel (i.e., disposed along the axis or the electric field from one electrode to the other). Since the switching part of the channel dominates the electron transport, a reservoir in series is normally more conductive than the switching part of the channel, and consists of more oxygen vacancies (in the Ti—O case), while a reservoir in parallel is normally more resistive than the switching part of the channel and consists of more oxygen anions (in the Ta—O case). Therefore, the thermal diffusion favors the OFF switching of the latter (parallel) but not the former (series). In fact, thermal diffusion significantly slows down the OFF switching in Ti—O based devices due to its opposite driving direction to electric field, resulting in orders of magnitude slower OFF switching in some of those systems. Also, in order to obtain a fast OFF switching (e.g., 10 ns), significantly larger power is required, which makes OFF switching the most power hungry process in those devices. In contrast, with the new device structure and mechanism, as described above with the Ta—O switching system as an embodiment, electric field and thermal effect are cooperatively combined together, leading to ultra-fast switching speeds, where the same low magnitude of voltage is used to switch the device for both ON and OFF switching at similar speeds. This further enables a much lower operation energy for such type of devices, where sub-10 μA current may be used to switch a 50 nm×50 nm device as compared with over 100 μA current for a Ti—O nanodevice. The Ta—O system has been described above as one embodiment of the new device structure/composition that provides highly reliable memristors. Other systems, however, are expected to exhibit a similar structure and switching behavior, and are thus within the scope of the invention. As one example, a Hf—O system may exhibit the structure and switching mechanism as described above in connection with the Ta—O system. It is believed that the reliability of the memristor is directly linked to the thermodynamic stability of the conduction channel during the switching process. Thus, the system used may benefit from being a simple binary one, with a minimum number of thermodynamically stable phases in equilibrium, such as two. In the foregoing description, numerous details are set forth to provide an understanding of the present invention. However, it will be understood by those skilled in the art that the present invention may be practiced without these details. While the invention has been disclosed with respect to a limited number of embodiments, those skilled in the art will appreciate numerous modifications and variations therefrom. It is intended that the appended claims cover such modifications and variations as fall within the true spirit and scope of the invention. 1-15. (canceled) 16. A memristor, comprising: a first electrode; a second electrode parallel to the first electrode; and a switching layer disposing between the first and second electrode, and containing a conduction channel and a reservoir zone, the conduction channel having a Fermi glass material having a variable concentration of mobile ions,. 17. The memristor as defined in claim 16, wherein the reservoir zone is laterally disposed relative to the conduction channel and functions as a source/sink of mobile ions for the conduction channel during a switching operation, in which the mobile ions are moved into or out of the laterally disposed reservoir zone to vary the concentration of the mobile ions in the conduction channel to change a conductivity of the Fermi glass material. 18. The memristor as defined in claim 16, wherein the Fermi glass material is a solid solution of a metal and the mobile ions. 19. The memristor as defined in claim 18, wherein the metal is tantalum or hafnium. 20. The memristor as defined in claim 19, wherein the mobile ions are oxygen anions. 21. The memristor as defined in claim 16, wherein the Fermi glass material is selected from the group of oxides, nitrides, sulfides, phosphorides, chalcogenides, carbides, boronides, and fluorides. 22. The memristor as defined in claim 16, wherein the conduction channel has a shape of a truncated cone, with a narrower end in contact with the second electrode. 23. The memristor as defined in 22, wherein the laterally disposed reservoir zone forms an annular region surrounding the narrower end of the conduction channel. 24. The memristor as defined in claim 23, wherein the Fermi glass is a solid solution of tantalum and oxygen. 25. The memristor as defined in claim 24, wherein the reservoir zone contains tantalum oxide. 26. The memristor as defined in claim 25, wherein the reservoir zone is surrounded by crystallized Ta₂O₅. 27. The memristor as defined in claim 25, wherein the first electrode is formed of tantalum and the second electrode is formed of platinum. 28. A method of switching a memristor having first and second parallel electrodes, a conduction channel disposed between the first and second electrodes and containing a Fermi glass, and a laterally disposed reservoir zone for sourcing and sinking a species of mobile ions, the method comprising: applying a first switching voltage, in cooperation with a first thermal effect, to the first and second electrodes to turn the memristor ON; and applying a second switching voltage, in cooperation with a second thermal effect, to the first and second electrodes to turn the memristor OFF. 29. The method as defined in claim 28, wherein the first switching voltage in cooperation with the first thermal effect causes mobile ions to move from the conduction channel towards the laterally disposed reservoir, thereby reducing a concentration of the mobile ions in the Fermi glass material. 30. The method as defined in claim 29, wherein the first thermal effect is thermophoresis. 31. The method as defined in claim 28, wherein the second switching voltage is opposite in polarity to the first switching voltage and, in cooperation with the second thermal effect, causes mobile ions to move from the laterally disposed reservoir zone towards the conduction channel, thereby increasing the concentration of the mobile ions in the Fermi glass material. 32. The method as defined in claim 31, wherein the second thermal effect is thermal diffusion. 33. The method as defined in claim 28, wherein the Fermi glass is a solid solution of a metal and oxygen. 34. The method as defined in claim 31, wherein the metal is tantalum or hafnium. 35. The method as defined in claim 28, wherein an electric field resulting from the switching voltage and the thermal effect cooperatively combine together to provide ultra-fast switching speeds over the switching voltage alone..
github_open_source_100_1_131
Github OpenSource
Various open source
cd /home/ubuntu/
github_open_source_100_1_132
Github OpenSource
Various open source
<?php namespace Capersys\UserBundle\EventListener; use Symfony\Component\EventDispatcher\EventSubscriberInterface; use Symfony\Component\HttpKernel\Event\RequestEvent; use Symfony\Component\HttpKernel\KernelEvents; /** * Localization. * */ class LocaleListener implements EventSubscriberInterface { public function onKernelRequest(RequestEvent $event): void { $request = $event->getRequest(); if (!$request->hasPreviousSession()) { return; } if ($locale = $request->attributes->get('_locale')) { $request->getSession()->set('_locale', $locale); } else { $request->setLocale($request->getSession()->get('_locale', $request->getDefaultLocale())); } } public static function getSubscribedEvents() { return [KernelEvents::REQUEST => [['onKernelRequest', 17]]]; } }
github_open_source_100_1_133
Github OpenSource
Various open source
@extends('layout.master') @section('content') <div class="row main"> <div class="main-login main-center"> <h5>Sign up once and watch any of our free demos.</h5> <form class="" method="post" enctype="multipart/form-data" action="/task/create"> {{csrf_field()}} <div class="form-group"> <label for="taskTitle" class="cols-sm-2 control-label">@lang('Task/create.taskTitle')</label> <div class="cols-sm-10"> <div class="input-group"> <span class="input-group-addon"><i class="fa fa-user fa" aria-hidden="true"></i></span> <input type="text" class="form-control" name="taskTitle" id="taskTitle" placeholder="@lang('Task/create.taskTitle')" value="{{$task->title}}"/> </div> @if ($errors->has('taskTitle')) <p class="alert-danger">{{ $errors->first('taskTitle') }}</p> @endif </div> </div> <div class="form-group"> <label for="taskDescription" class="cols-sm-2 control-label">@lang('Task/create.taskDescription')</label> <div class="cols-sm-10"> <div class="input-group"> <span class="input-group-addon"><i class="fa fa-envelope fa" aria-hidden="true"></i></span> <textarea class="form-control" name="taskDescription" id="taskDescription" placeholder="@lang('Task/create.taskDescription')"/>{{$task->description}}</textarea> </div> @if ($errors->has('taskDescription')) <p class="alert-danger">{{$errors->first('taskDescription')}}</p> @endif </div> </div> <div class="form-group "> <input type="submit" id="button" class="btn btn-primary btn-lg btn-block login-button" value="Add"> </div> </form> @if (count($errors) > 0) <div class="alert alert-danger"> <ul> @foreach ($errors->all() as $error) <li>{{ $error }}</li> @endforeach </ul> </div> @endif </div> </div> @endsection
4848294_1
Wikipedia
CC-By-SA
Johann August Friedrich Blumröder, ab 6. August 1816 von Blumröder (* 3. August 1776 in Gehren; † 14. Juni 1860 in Sondershausen) war ein deutscher Offizier, Schriftsteller und Abgeordneter der Frankfurter Nationalversammlung. Leben Familie August Blumröder war der Sohn des Pfarrers von Großbreitenbach Christian August Blumröder (1739–1804) und seiner Ehefrau Sophie Christiane geb. Langbein (1747–1799), Tochter von Johann Christian Langbein, Konrektor am Gymnasium in Arnstadt, und Schwester des Stadtkassierers und Verlegers Christian Langbein. Der Vater war ein Sohn des Apothekers und Bürgermeisters in Gehren Johann Hartmann Blumröder (1704–1786) und seiner Frau Rosimunde Christine geb. Oppermann. Der Pfarrer Ferdinand Blumröder (* 1793) war Augusts Cousin. Augusts Schwester Christiane Auguste Caroline (1778–1853) heiratete den Hofkommissär Johann Friedrich Ludloff in Garsitz; der spätere Konsistorialrat Friedrich Carl Ludloff (1808–1878) war ihr Sohn. August heiratete am 18. Februar 1812 in Sondershausen Albertine Victoria Friederike von Weise (* 27. Dezember 1781; † 13. April 1832), die älteste Tochter des Kammerpräsidenten und Regierungschefs von Schwarzburg-Sondershausen Adolf von Weise. Das Ehepaar hatte fünf Kinder (alle in Sondershausen geboren): Adolf August Friedrich Karl (* 10. März 1813; † 1881 in Jena), Regierungsrat in Sondershausen. Caroline Albertine Friederike Victoria (* 2. Mai 1815) starb nach jahrelangen Leiden am 4. Dezember 1827. Günther Emil Adolf August (* 30. Dezember 1816; † 19. Juni 1866), ledig, war Oberstleutnant, Kommandeur des Schwarzburg-Sondershäuser Kontingents; nahm sich zu Beginn des Deutschen Kriegs 1866 das Leben, weil er nicht als Deutscher gegen Deutsche kämpfen wollte. Ludwig Thilo Adolf (* 6. Januar 1819; † 26. Dezember 1894 in Berlin), preußischer Generalleutnant. Victor Adolf Günther (* 6. Juli 1820; † 23. Juni 1902 in Coburg), Domänenpächter in Schweighof. Nach dem Tod der Ehefrau Victoria heiratete ihre jüngere Schwester Sophia Christiane Caroline (* 28. Oktober 1786; † 22. September 1851) am 28. Juli 1833 den Witwer. Militärlaufbahn Blumröder besuchte das Gymnasium in Arnstadt und begann in Jena, auf Wunsch seines Vaters, Theologie zu studieren. Er beendete das Studium jedoch nicht, sondern wurde 1798 in großer Verehrung für Friedrich den Großen Bombardier mit Aussicht auf Beförderung in das 1. Artillerieregiment (Berlin). Er studierte in Berlin weiter, aber jetzt im Fach Mathematik. Zwischen 1801 und 1803 war er Vizefeuerwerker. Anschließend unterrichtete er Mathematik für die Offiziere des Kürassierregiments in Kyritz. Zwischen 1803 und 1806 war er Leutnant eines Artillerieregiments in Magdeburg. Während des Krieges 1806 nahm er an der Verteidigung von Magdeburg und der hannoverischen Festung Hameln gegen die französischen Truppen teil, wurde kriegsgefangen und wie alle Offiziere auf Ehrenwort entlassen. Beim Bemühen, seinen Unterhalt zu verdienen, kam Blumröder in Kontakt mit dem Pädagogen Salzmann, der ihm vorschlug, als Lehrer in seine Schule einzutreten. Dort war er ab August 1807 tätig, zog aber im Lauf des ersten Jahres zunehmend Kritik auf sich. Zum 1. August 1808 wechselte er nach Sondershausen; dort brauchte der Regierungschef Adolf von Weise „einen Hauslehrer für seine beiden jüngsten Söhne, die bereits Officiere“ und „schon erwachsen waren“. In der Familie Weise wurde er mit großer Zuneigung wie ein Familienmitglied behandelt. Durch Weises Vermittlung erwarb er auch das Wohlwollen des Fürsten Günther Friedrich Carl, der – inzwischen dem Rheinbund beigetreten – ihm das Kommando über eine neu zu errichtende Kompanie anbieten ließ. 1809 trat er als Hauptmann und Kompaniechef, später auch Bataillonskommandant unter dem Bataillonschef Erbprinz Karl Günther, in das Schwarzburg-Sondershausensche Kontingent ein. Zwischen 1810 und 1814 war er Major des 2. Bataillons des 6. Rheinbundregiments. Auf französischer Seite war er auf verschiedenen Kriegsschauplätzen (u. a. Einmarsch in Wien) eingesetzt. Er diente in Tirol, Spanien, Deutschland und Russland. 1812 war er an der Verteidigung von Danzig gegen russische Truppen beteiligt. 1812/13 befand sich Blumröder in russischer Kriegsgefangenschaft. Nach der Schlacht von Leipzig wurde er 1814 freigelassen und, später auch als Oberstleutnant, Kommandeur des Linien-Infanterie Bataillon Schwarzburg im 3. Deutschen Armeekorps. Er machte die Befreiungskriege 1814/1815 nunmehr auf Seiten der Alliierten mit und nahm an verschiedenen Belagerungen (von Bouillon, Mezieres und Monmedy) teil. Ende November 1815 fand der Kriegsdienst sein Ende. Prinzenerzieher, Landrat, Abgeordneter Im März 1816 kehrte die Fürstin Caroline von Schwarzburg-Sondershausen (* 21. Januar 1774 in Rudolstadt; † 11. Januar 1854 in Arnstadt) mit ihren Kindern, der Prinzessin Emilie Friederike Caroline (* 23. April 1800) und dem Erbprinzen Günther Friedrich Carl (* 24. September 1801), nach Schwarzburg-Sondershausen zurück und bezog das Neue Palais in Arnstadt. Sie hatten ab 1806 am Hof ihrer Herkunftsfamilie in Rudolstadt gelebt. In dieser Situation wurde Blumröder mit dem „Posten eines Hofmeisters oder Gouverneurs“ bei dem 14-jährigen Erbprinzen betraut; deshalb wurde er am 6. August in den erblichen Adelsstand erhoben. Er kam dieser Aufgabe – zunächst in Arnstadt, dann in Sondershausen – bis Ende 1820 nach. 1822 wurde Blumröder zum Landrat in Sondershausen ernannt. Dort hatte er sich u. a. um die Conscription (Musterung und Rekrutierung) nach einem neuen Gesetz vom 16. Februar 1822 und um die 1823 neuorganisierte Landwehr zu kümmern. Insgesamt fühlte er sich durch seine Pflichten nicht sehr beansprucht.Ab 1823 erteilte er im Sondershäuser Lyzeum (ab 1829: Gymnasium) wöchentlich etwa 3 Stunden Mathematik in den Oberklassen; erst nach 15 Jahren stellte er diese Nebentätigkeit ein. Die Revolutionszeit von 1848 bewegte Blumröder beträchtlich. Er versuchte auf seine Mitbürger Einfluss zu nehmen, indem er sich mehrfach in der Ortszeitung, dem Fürstlich Schwarzb. Regierungs- und Intelligenz-Blatt, zu Wort meldete. Als am 28. April 1848 die Wahl eines Volksvertreters für Schwarzburg-Sondershausen zur konstituierenden deutschen Nationalversammlung durchgeführt wurde, fiel die Mehrzahl der Wahlmännerstimmen auf Blumröder, der die Wahl zögernd, aber mit Hoffnungen und Wünschen für den geplanten Neubau des Deutschen Reichs annahm. Im Parlament schloss er sich der Fraktion Westendhall an. Die Sitzungen der Nationalversammlung glichen ihm jedoch eher „einer Versammlung von Krähen und Elstern, als einem Verein ernster Patrioten“. Obendrein hinderte ihn seine Schwerhörigkeit daran, an Debatten teilzunehmen; deshalb trat er bereits Ende August von dem Abgeordnetenamt zurück. Für seine Wählerschaft verband er die Mitteilung des Rückzugs mit einer differenzierten Darlegung seiner Sicht. 1849 beantragte Blumröder seine Entlassung aus dem Dienst als Landrat. Sie wurde ihm jedoch erst zum 10. Mai 1850 genehmigt, nach seiner Vermutung, weil erst ein neues „Gesetz über den Civil-Staatsdienst“ mit einer ungünstigen Besoldungsregelung in Kraft treten sollte. Schaffen Er veröffentlichte – auch unter den Pseudonymen „Theophilus Phosphorus“ und „Peter Michel Goldmann“ – eine große Zahl von Schriften, darunter unterhaltsame Werke (Gedichte, Romane usw.), betrachtende Arbeiten zu Staat, Religion und Gesellschaft, und auch Informierendes wie das Porträt des Fürsten „aus offiziellen Quellen“ von 1827. Blumröder war ein aktiver Freimaurer. Er trat im Juni 1811 in die Loge „Zur gekrönten Unschuld“ in Nordhausen ein (zusammen mit seinem späteren Schwager Carl von Weise); ab Anfang 1843 unterstützte er Friedrich von Sydow bei der Betreibung eines „Maurer-Clubbs“ in Sondershausen. Die Grundideen der Freimaurerei waren für ihn nicht verschieden von dem Christentum, das er in vielen Schriften beschrieben und verteidigt hat: „Was die Menschen in der großen offnen Loge der christlichen Kirche noch nicht, oder nur selten und theilweise sind, das sollen die Brüder Freimauerer in ihren kleinen Logen sein: rechtliche Bürger, gewissenhafte Staatsdiener, getreue Väter, liebende Freunde u. s. w. mit einem Worte, gute Menschen; und wenn sie dies zu sein sich bestreben, sind sie auch gute Christen.“ Schriften (Auswahl) Gedichte. Erstes Bändchen. Christian Langbein, Arnstadt 1812. (Digitalisat) Etwas über den jetzigen Zustand Wetzels. In: Zeitung für die elegante Welt 1812, Nr. 35 Spalte 276–279, Nr. 54 Spalte 425–429 und Nr. 55 Spalte 433–435. Irene, nebst einigen Bausteinen zum Tempel dieser schönen Göttin, gebrochen in den Ruinen der nächsten Vergangenheit. Ein Gedicht in drei Gesängen. Voigt, Sondershausen 1816. Der verhüllte Bote aus der Heimath, oder das unsichtbare Gängelband. Eine biographische Skizze. 1. Band, 2. Band. Voigt, Sondershausen 1822. Die Spukgeister in der Kirche und im Staate, nach ihrem gegenwärtigen Wesen und Treiben beleuchtet von Theophilus Phosphorus. Voigt, Ilmenau 1823. (Digitalisat) Gott, Natur und Freiheit in Bezug auf die sittliche Gesetzgebung der Vernunft. Ein Beitrag zur festern Begründung der Sittenlehre als Wissenschaft und der Sittlichkeit als Lebenskunst. Klein, Leipzig 1827. (Digitalisat) Günther Friedrich Carl, Fürst von Schwarzburg-Sondershausen. In: Deutscher Regenten-Almanach auf das Jahr 1828. Dritter Jahrgang. Voigt, Ilmenau o. J. S. 198–276. Über die verschiedenen Formen, in welchen der Pantheismus in neueren Zeiten aufgetreten ist. 1832. Johann Karl Wezel. Fragmente über sein Leben und seinen Wahnsinn. In: Zeitgenossen. Ein biographisches Magazin für die Geschichte unserer Zeit. Dritte Reihe. Vierter Band, Nr. 27/28, 1833, S. 141–172. Die Kunst reich zu werden. Ein gar nützliches Noth- und Hülfsbüchlein für arme Schlucker, welche sich in den Abrahamsschooß der irdischen Seligkeit zu setzen wünschen; von Peter Michel Goldmann. Voigt, Weimar/Ilmenau 1834. Steht jede öffentliche, vom Regenten unabhängige, Gewalt im Staate mit der nothwendigen Einheit der höchsten Gewalt im Widerspruche; oder muß diese höchste Gewalt in einer Monarchie nothwendig eine unbeschränkte seyn? In: Jahrbücher der Geschichte und Staatskunst 1836 Erster Band, S. 227–248. Versuch einer Abwägung der verschiedenen Vortheile und Nachtheile des Fabrik- und Maschinenwesens. In: Jahrbücher der Geschichte und Politik Jahrgang 10, Band 1, 1837, S. 193–225. Was ist von einer Rechtslehre und Politik zu halten, die wissenschaftlich oder practisch von der Moral losgerissen ist? In: Jahrbücher der Geschichte und Politik Jahrgang 10, Band 2, 1837, S. 481–502. Der Selbstmord, psychologisch erklärt und moralisch gewürdigt, […] theils nach dem Französischen, theils eigenthümlich bearbeitet. Erster Theil: Unterhaltungen über den Selbstmord von Guillon. Voigt, Weimar 1837. Zweiter Theil: Beispiele von merkwürdigen Selbstmördern. ebenda. Die Religion nach ihrer Idee und geschichtlichen Erscheinung, in einer Uebersicht der vorzüglichsten Religionen, besonders des Christenthums und der christlichen Kirche nach ihren verschiedenen Erscheinungsformen. Ein Handbuch für Gebildete, zur Orientirung über die wichtigste Angelegenheit der Menschheit. Eupel, Sondershausen 1839. Warum ist Johannes der Täufer der Schutzpatron des Freimauerer-Ordens. In: Asträa, Taschenbuch für Freimaurer auf das Jahr 1840 und 1841. Neunter Jahrgang, 1840. S. 44–50. Rudolph Friedrich Ludloff. In: Neuer Nekrolog der Deutschen 17. Jg., 1839. Weimar 1841, S. 1084–1089. Zerstreute Gedanken über das Moment der Stärke im Volks- und Staatsleben. In: Neue Jahrbücher der Geschichte und Politik 1842, Erster Band S. 97–123. Beleuchtung einiger Vorwürfe, welche dem Freimauererorden auch noch in neuester Zeit gemacht werden. In: Asträa, Taschenbuch für Freimaurer auf das Jahr 1842 und 1843. Zehnter Jahrgang, 1842, S. 106–118. Die maurerische Trias, Weisheit, Schönheit, Stärke, in Bezug auf das allgemeine Menschenleben. In: Asträa, Taschenbuch für Freimaurer auf das Jahr 1842 und 1843. Zehnter Jahrgang, 1842, S. 143–153. Ueber den Begriff des Unendlichen in der Mathematik und die dadurch veranlaßte Unbegreiflichkeit mancher Lehren dieser Wissenschaft, mit besonderer Beziehung auf den Infinitesimal-Calcül. In: Jahresbericht über die sämmtlichen Schulen der Residenzstadt Sondershausen. 1842. Teutschlands Vergangenheit, Gegenwart und Zukunft. Blätter der Erinnerung, veranlaßt durch den tausendjährigen Bestand des teutschen Reichs im Jahre 1843, gewidmet allen patriotischen Freunden des Lichtes und des gesetzlichen Fortschrittes. Eupel, Sondershausen [1843]. Vorträge des Br. von Blumröder im Bruder-Klubb zu Sondershausen. In: Asträa, Taschenbuch für Freimaurer auf das Jahr 1844 und 1845. Eilfter Jahrgang, 1844, S. 79–91. Der lebendigmachende Geist der christlichen Religion in 95 Sätzen; oder unumstösslicher Beweis, daß das Wesen der Religion nicht in der gewöhnlichen […] Abgötterei bestehe. Eupel, Sondershausen 1845. (Digitalisat) Luther im Gegensatze zu den jetzigen reformscheuen Eiferern, die sich seine frommen Verehrer nennen. In: Luther’s dreihundertjährige Todesfeier. Gedenkbuch für protestirende Christen. Mauke, Jena 1846, S. 21–47. Literarische Plänkler auf dem Felde der Philosophie, Politik, Religion, Kirche und des socialen Lebens. Kollmann, Leipzig 1847. (Digitalisat) Mephistopheles im Hof-Frack und in der Blouse. Eine Reihe skizzirter Schilderungen aus dem socialen und politischen Leben der Gegenwart. Kollmann, Leipzig 1847. (Digitalisat) Erziehung oder Dressur. In: Allgemeiner Anzeiger und Nationalzeitung der Deutschen vom 14. August 1847, Spalte 2785–2794. Gymnasien oder Realschulen. In: Allgemeiner Anzeiger und Nationalzeitung der Deutschen vom 15. September 1847, Spalte 3185–3193. Zerstreute Gedanken über den Unterschied zwischen Herrschen und Regieren, starker und schwacher Regierung. Erster Artikel und Zweiter Artikel. In: Neue Jahrbücher der Geschichte und Politik 1847, Erster Band S. 515–527 und Zweiter Band S. 111–126. Was ist von dem in diesen Tagen so ernstlich auftretenden Bestreben zu halten, den Rationalismus oder den vernünftigen Geist aus der protestantischen Kirche zu treiben? In: Allgemeiner Anzeiger und Nationalzeitung der Deutschen vom 9. Februar 1848, Spalte 485–491. Blicke in den Zeitspiegel der Gegenwart; und: Flüchtige Gedanken über die neueste Französische Revolution. In: Allgemeiner Anzeiger und Nationalzeitung der Deutschen 11. und 13. März 1848 Spalte 885–891 und 909–915. Gutes Wort in böser Zeit. In: Fürstlich Schwarzb. Regierungs- und Intelligenz-Blatt vom 1. April 1848, S. 117–120. Was in diesen Tagen vorzüglich noth thut. Ein Wort zur Beherzigung an alle patriotische Deutsche. In: Allgemeiner Anzeiger und Nationalzeitung der Deutschen vom 11. April 1848, Spalte 1317–1325. Ein mahnendes Wort zur Beherzigung der bösen Folgen von Anarchie und Gesetzlosigkeit. In: Fürstlich Schwarzb. Regierungs- und Intelligenz-Blatt vom 6. Mai 1848, S. 174–176. An meine lieben Mitbürger. In: Fürstlich Schwarzb. Regierungs- und Intelligenz-Blatt vom 26. August 1848, S. 348–351. Das angebliche Recht der Revolution. In: Fürstlich Schwarzb. Regierungs- und Intelligenz-Blatt vom 28. Oktober 1848, S. 469. Werden die Feinde der deutschen Einheit den Sieg davon tragen? In: Privilegirtes Arnstädtisches Regierungs- und Intelligenz-Blatt 1849, Beilage zu Nr. 11 und 12. Das Verhältniß der Revolution zur Religion. Blätter der Warnung und Belehrung für diejenigen, welche in der Revolutionszeit ihren Gott verloren haben, oder in Gefahr sind, ihn zu verlieren. Eupel, Sondershausen 1849. (Digitalisat) Was ist von dem gutachtlichen Rathe zu halten, welcher von der Gothaer Versammlung ehemaliger Reichstagsabgeordneten ausgesprochen worden ist? In: Reichsanzeiger der Deutschen vom 23. Juli 1849, Spalte 1425–1429. Die preußische Botschaft und die Pairie. In: Reichsanzeiger der Deutschen vom 13. Februar 1850, Spalte 301–304. Karl Friedrich Wilhelm von Weise. In: Neuer Nekrolog der Deutschen. 29. Jg., 1851. Weimar 1853, S. 198–201. Meine Erlebnisse im Krieg und Frieden, in der großen Welt und in der kleinen Welt meines Gemüths. Eupel, Sondershausen 1857. (Digitalisat) Lebenserfahrungen und Lebensanschauungen im Lichte der Vernunft, in Beziehung auf die wichtigsten Anliegen unseres inneren und äußeren Lebens in den verschiedenen Gesellschaftskreisen, denen wir eingefügt sind. Band 1 und 2. Kollmann, Leipzig 1858. Ansprache an das deutsche Volk und insbesondere an die patriotischen Volksfreunde, denen die Würde und Ehre ihres Vaterlandes am Herzen liegt. Leipzig 1859. Was hat Deutschland in der gegenwärtigen Situation zu hoffen oder zu fürchten? eine Ergänzung meiner „Ansprache an das deutsche Volk“ und Mahnung zur Vorkehr gegen künftige Gefahren. Leipzig 1859. Fehlzuschreibung Diese anonyme Schrift wird von einigen Bibliothekskatalogen fälschlich Blumröder zugeschrieben: Die Trennung der Schule von der Kirche. Sendschreiben an Deutschlands protestantische Volksschullehrer, insonderheit Landvolksschullehrer, von Einem, welcher der Kirche und der Schule gleich nahe steht. Eupel, Sondershausen 1849. Literatur Biographische Nachricht über Hrn. von Blumroeder. In Allgemeiner Anzeiger und Nationalzeitung der Deutschen vom 28. Oktober 1846, Spalte 3776–3781. Pierer's Universal-Lexikon. Band 2. Altenburg 1857, S. 912. (Digitalisat) Gothaisches Genealogisches Taschenbuch der Briefadeligen Häuser. 1907. Erster Jahrgang. Justus Perthes, Gotha o. J., S. 55f.. Geschichte der Familie Ludolf-Ludloff. [Von Rudolf Friedrich Ludloff] o. O., o. J. [Coburg 1910.] S. 105f.. Hermann Gresky: August von Blumröder. Zu seinem 150. Geburtstage. In: Der Deutsche. Thüringer Tageblatt 1926 Nr. 177. Manfred Ohl: Die Freimaurerei. Erste Ergebnisse einer Nachforschung zur Geschichte der Freimaurerei in Sondershausen. In: Sondershäuser Beiträge () Heft 3, 1993. S. 66–124; hier: S. 85 und 90–92. Thüringer Pfarrerbuch, Band 2: Fürstentum Schwarzburg-Sondershausen. 1997. ISBN 3768641481. S. 92f. und 257. Jochen Lengemann: August [von] Blumröder (1776–1860). Eine Erinnerung an den Schwarzburgischen Offizier, Schriftsteller und Politiker; und: August von Blumröder (1776–1860). Bibliographie. In: Sondershäuser Beiträge. Püstrich. (). Heft 9, 2007, S. 9–13 und 14–23. (S. 8: Porträt von Blumröder.) Heinrich Best, Wilhelm Weege: Biographisches Handbuch der Abgeordneten der Frankfurter Nationalversammlung 1848/49. Droste, Düsseldorf 1998, ISBN 3-7700-0919-3, S. 101. Weblinks Frankfurter Nationalversammlung (Der genaue Datensatz muss mit der Suchfunktion ermittelt werden.) Nachweise Leutnant (Preußen) Person in den Koalitionskriegen (Preußen) Mitglied der Frankfurter Nationalversammlung Landrat (Schwarzburg-Sondershausen) Freimaurer (19. Jahrhundert) Geboren 1776 Gestorben 1860 Deutscher Mann Schullehrer.
github_open_source_100_1_134
Github OpenSource
Various open source
package de.adorsys.opba.protocol.facade.dto; import lombok.Data; import java.security.PrivateKey; import java.security.PublicKey; @Data public class PubAndPrivKey { private final PublicKey publicKey; private final PrivateKey privateKey; }
github_open_source_100_1_135
Github OpenSource
Various open source
#ifndef MOVE_H #define MOVE_H #include <string> using namespace std; class Move { public: Move(); Move(string pos, string dest); Move(string pos, string dest, string type); string pos; string dest; string type; int value; }; #endif // MOVE_H
69667302_1
Wikipedia
CC-By-SA
Laurence O'Fuarain (born 24 April 1990) is an Irish actor, having had roles in season 5 of Game of Thrones (2015), Rebellion (2016), season 5 of Vikings (2017) and Into the Badlands (2017). He appears as Fjall the warrior in the 2022 Netflix miniseries The Witcher: Blood Origin. Early life and education Laurence O'Fuarain studied advertising and marketing at the Institute of Technology, Tallaght when by chance, got involved in the making of some short films of which he enjoyed. After a successful audition to join the Bow Street Academy, he decided to leave the ITT to concentrate on acting. In 2014, O'Fuarain graduated from the Programme of Screen Acting at Bow Street Academy in Dublin and was in the same group of alumni as Niamh Algar. In his spare time, O'Fuarain is a keen angler. Career In 2015, straight after the academy, O'Fuarain made his film debut in the Irish film The Limit Of, although the film was not released until 2018. He followed that with small roles in The Secret Scripture (2016) and in a single episode of season 5 of Game of Thrones. The same year he landed a recurring role as Desmond Byrne in Rebellion. In 2017, O'Fuarain picked up small roles in season 5 of Vikings and also Into the Badlands. In 2018, O'Fuarain secured the part of Vern in the film Viking Destiny opposite Terrance Stamp and Will Mellor, as Kevin Gunn in Don't Go and in Black '47. In August 2021, O'Fuarain began filming of the Netflix miniseries The Witcher: Blood Origin, set in a time 1,200 years before The Witcher, and O'Fuarain stars as Fjall, of a clan of warriors sworn to protect a King in a quest for redemption, in a cast which includes Lenny Henry, Mirren Mack and Michelle Yeoh. The Witcher: Blood Origin aired on Netflix on 25 December 2022. Filmography Film Television References External links Agent profile 1 Agent profile 2 Laurence O'Fuarain Tudum interview 21st-century Irish male actors Alumni of the Bow Street Academy Irish male film actors Irish male television actors Living people 1990 births Male actors from County Dublin.
5622790_1
Wikipedia
CC-By-SA
Cresphontès ou Cresphonte (en grec ancien ) est une tragédie grecque d'Euripide. Jouée en 425 av. J.-C., ou après 421 av. J.-C. selon John E. Thorburn, elle ne nous est parvenue que par fragments. Fragments et mentions littéraires Il reste 150 vers de la pièce. L'un d'eux est cité dans l′Axiochos du pseudo-Platon : . Dans sa Poétique, Aristote loue, pour son efficacité, la scène où Mérope, ignorant qu'Æpytos est son fils, s'apprête à le tuer d'un coup de hache, mais le reconnaît à temps ; Plutarque signale lui aussi le pouvoir émotif de cette scène et nous apprend que le public angoissé se levait, dans sa peur que le vieillard dont la révélation doit provoquer l’anagnorismos n'arrive pas assez tôt pour empêcher le meurtre. Aristote, dans son Éthique à Nicomaque, écrit qu'il arrive que comme Mérope, on prenne son fils pour son ennemi. L’intrigue a été reconstituée à partir de la fable CXXXVII d'Hygin et d'un papyrus d'Oxyrhynque (P. Oxy. 2458). Plutarque cite sept mots de la pièce dans Sur la consommation de viande, et trois vers entiers dans sa Consolation à Apollonios. Le sujet inspira à Voltaire sa tragédie Mérope (1743). Personnages attestés Mérope : épouse de Cresphontès (père) Cresphontès (père) : roi de Messénie, Héraclide, détrôné par Polyphontès Polyphontès : Héraclide également, usurpateur du pouvoir Cresphontès (fils) alias Æpytos : fils du roi Un vieil esclave, qui reconnaît Cresphontès-Æpytos Cadre La pièce se passe au palais de Cresphontès à Stényklèros (en Messénie). Résumé On considère que la pièce parle du retour en Messénie d'Æpytos, et de sa vengeance contre l’Héraclide Polyphontès, meurtrier de son père et second époux de Mérope, sa mère. Cresphontès-Æpytos se fait passer pour son assassin auprès du roi Polyphontès, et est accueilli à la cour afin de recevoir la récompense promise au meurtrier de la descendance de Mérope et son époux. Sans reconnaître son fils, qui se fait passer pour son propre meurtrier dans un premier temps, Mérope veut tuer Cresphontès-Æpytos, mais au dernier moment s'en abstient car elle reconnaît en lui son enfant, présumé mort. Bibliographie. Notes Pièce de théâtre d'Euripide Œuvre littéraire perdue Anagnorisis.
sn90051356_1907-01-23_1_2_1
US-PD-Newspapers
Public Domain
“The Duily Cribune | sty i T W - - T DAILYSY OABRINS OB MAIL., BB R O e zlubflrh unuo;m-‘fi MISOBLLANSOUS BATSS, ..::ma respuns” ana ‘soadelense §1.00 Obituaries §e per l.ho for saeh lims over Ons e et e e AOPMEIN /o e TELRPHONR MNO. 10 W The foe orop iz fine in Wiscowsin, but Indissa is poé worrying. Fair banks will be heme after a whils. e The lass survivor of the obarge of ¢ho Ligbs Brigads bat died again. I sooms he will mever ges over the habit. The editor of tbe Ealamazoo Gasette opens the shop with praver, bus the reporiera are expectsd to watoh as well a8 pPray. It lsn’t qoite so funny from 6he American point of view when the bomb-thrower begins to do business fn our midss. Kentuokians are trying to find out where her fellow-conutrymen gets his liguor,who supporta a wife and fifsesn children on sixty cents a day. It has abous reached the point in Ruseia, where the offices not only have to seek the men, but ron them down and sand bag them also. The reports that the Duchess and Marlborough had gos together again were misunderstood. It was (o sign acd declare the deed of separation. The thioge that caunot be done ander our constitution, reminds one that the fathers were the greatest word architacts that avar happened. Dr. Orapsey <ays thera never was any Garden of Eden, Then, we should like to know bow KEve could ever have handed Adam that lemon The Jamestown expoaition wlll! e . ° ° . e ° Our stock is too large, and owing to Spring Goods beginning to arrive in . . o ® e January, we have decided to make big reductions on all Winter Goods. _ Ladies’ Tailor Suits Millinery Men’s Overcoats : : One lot, values $lO 00 to $22 50, your choice All trimmed hats at 40 per cent discount All overcoats up to sloat.......ccvvvvvinne.. 8 778 while they last at.......cccoveoeeeeeee.. 85 00 We have a nice assortment and if you get in All overcoats $ll to $1250.........c00vuee... 10 00 W— . early can et some good bargains. All overcoats $l3 to sl6so....voevivenneeess .12 00 One lot ladies’ skirts, good styles, value $4 75 Tt 5 200 Sorfsgtsl adt 4?‘: i Men’s Suits. to $5 50; your choice...c.ivevnvecccnnsnas 00 RB I DsSD3 SR LR (UTATICS, Men’s suits, 3 8 75, thi y 83 0 selling at $l, $1 25 and $1 50, some are a LIGHS‘S.UHS, 4\]B&;, thn:sale eißeg ; :g Ladies’ Coats little off in style, and our sizes are badly i 18,50 -B Ay BN 10 50 All this year’s styles 3 brokea. o & 14100 1514, Sy Spad KRN AR ST 19400 8 Four grey Herring bone stripe, $l7 60 value, at $lO 50 “ 1500 ¢ Poreisis Sivinie eiasiaie cretuiline. sLS 4B0) Three brown mixed novelty, $l6 50 value, at... 10 60 Underwear 4 18 50 g o o R O 16 0C Four grey stripe novelty, $9 75 value, at....... 650 We have a bargain table of underwear that is TeATIR=~ TR e e Three light grey, $l2 50 value, at............. 850 full all the time of stock in which we are Boys’ Knee Pants Suits Three plain medium tan coats, $l2 50 yalue, at 850 badly broken in sizes. Price 5............ 10 to 98¢ Boy's suit $1 50, this sale $ 135 Three dark grey stripes, $6 00 value, at........ 400 “ 2(»0’ “ One light plaid, size 34, $l2 50 value, at....... 850 ; Dress GO?dS “ 250 “ ; (7)3 Two light novelties, sizes 32 and 34, $ll 75 val.. 775 One piece heavy black serge, $1 25 value, at. .. 85 : 0 g Ceeeteceiieetiienaas _—_— One piece silk warp black goods, $2 25 value.. 81 75 5 ;50 2 NI SN S S 350 Misses’ and Children’s Coats Three pieces black brilliantine, 60c value..... 50 : i TIG S 0 R MR 37 One misses’ grey, aged 17, $lO 50 va1ue........ § 800 One pi.oco black serge, 600 va1ue............. 50 : One misses’ grey novelty, aged 12, $6 50 value. 450 One piece black flnnne!, 86c v:n.lue... % saeldie s 55 phdce ek o Furs. One black and white sheplierd plaid, $lO value. 700 Dusipitositeown Hertbtins s yaluy, ot < ovve. 25 Pl" BRI Aot sFh e Rl s s i One grey whirlpool bearskin, age 12, $lO value. 775 One pieve black brocade, $l.OO va1ue.......... 50 F"e ;"' \u,"lo 86, e 350 One grey orushed plush, age 10, $8 50 value. .. 600 All our colors and noveltiés cut in same pro- SN 18 uoil-' TR Sinln b R A 380 Four navy blue bearskin, $4 va1ue............ 300 portion. Many remnants of dress goods in pvd b, Yalye SRV e T e S se s g 150 Ono navy blae bearskin, age 10, $6 va1ue....... 450 4*to B yards leogth at. grestly reduced g:f, ffulr,'s ¥ ".h;" s;")p‘; eRS 300 One red orush plush, $5 50 vßlue.... . ...... 400 b, B reomi o e LPR o 6 Ohe flllr ".,\|"l":“;u.) ggg One red and one blue crush plush, 6 years, $4.. 260 : &b AP P eo i S Ot Tot chlicenta Hins Habodl, trimiaed &10 6 Grocery Department f;na t{'ur. '\nllnfl Sl»_ 400 yoars, 8250 VAIUO. ... .vevvvesvneeeee.r: 198 Let us figure on your grocery bill. We oan save oil ot LA GSt T 8 ; you money. oods deliver: o Portland, RO T i e B Ri U D One ‘l:t;;hildren s coats, 6to 12 years, value $3 i Rookvale, Coal Croek and Williamnbt_xrg. Embrmdery and India Linens ftecesessssstitsensatiistisstanenes There is seldom auy day we cannot deliver ] : 9 _-——.-——-—-—————— g T in the ooal camps, as we bave a wagon in / _( Jur epring stock is now in and on display. One lot ladies’ jackets, former price $6 00 to Rookvale every day. Telephone your or- India linens, yard.......c.covvvneeinnnn....loto 300 $14.50, ChOlC®.ceeeerereerrecasrocsaees. §3 50 ers to Florence 4or East 4. - Embroidery, yard........ooiovveninven...Bo to 84 50 ’ N ! : Bl .. The Hadley Mercantile C Floi C e aaiey ercantlie ompany, orence, 010. bring ant the faot that. the megron ovme 80 America befors ihe Piligrim Fatbers and on the whols have given 1088 trouble. -The fact that Harry Thaw end his motber-in-law are snoi on speaking quariers as evidence of great sugsolty on the pars of Harry. The recens stillness in the Pistaburg scandal depariment Is provably @us %0 the decision ‘of the mewspapers shat their town doss nos need any ad ditional adversising. Gev. Higgins wasts » new oonati totion for Rhode Island, that In use being sixty-four years old, and some whas decrepit. But it suita Boss Bray ton right down to the ground. A Virginia paper prints a pioture of Beoretary Taft whea but three yoars old. He was probably engaged about that time In sitting on the domestio lid while his pals swiped the jam from the pantcy, ‘‘Ministers’ mlaries should be rafs ed to slo,ooo,’° was a recent haadline that sens & thrill down the olerical llplno. only to be followed by the ex planation that Uncle Ssm's foreign ;mlnllteru were referred to. } New York dootors have increased thir fees on acoount of the Increased cost of living. This will afford patients an exoellent exonse for de }mlndlnl bigger salaries of their em ployers on account cf the inoreased ;mt of dying. | The Grip ‘ “Before we can sympathize with oth ers we must have suffered ourselves.” No onecan realize the suffering attendant ‘ upon an attack of the grip unless he has ‘had the actual experience. There is ‘probably no disease that causes so mu:h ‘physical and mental agony, or which so successfully defles medical aid. AH dan ger from the grip, however, may be avoided by the prompt use of Chamber ain's Cough Remedy. Among the tens of thousands who have used this remedy not one case has ever been reported that ‘has resulted in pneumonia o1 that has not recovered. For sale by Daniels’ drug store. el mwf ‘ IS pays to adversise your waunés in the Tribune Westenra Inventors The following petests were is sued this week 0 Western inventors, reported by D, Bwifs and Co., patent lawyers, Washingion, D. O. ‘Eansse—F. Ohnristian, Wichits, Sleck moldiug mashing. ' W. J. Daa- Xl, Pittadurg, aulémsbio sir brake foroars. W. J. Falrhaah. £oldler, door gate fastemer. O, E. Kasfman Bosedale, dump wagon. W. A. Powers, Topeka. apparatus for tieat. ing und storing water. 1 Oolorado—R. G. Alnsworth, Den ver,aseay balance. 7. H, Uope, Wind sor, bay atacker, A, R. Ourtle, Golden, sliding door coustruetion. E. E. Eugland, Denver, tuning device for stringed ilnstruments. A. H. Kramer, Monte Vista,grinding device. J. A. Bhires, Denver, ventilating apparatus. A, M. Bkinner, Gmhy.i ’M tosster., W. E. Thorne, Den ver, revetment. | | Oopiea of patents any of the IDOVO‘ ‘will be farnished to our leaders at ten cents wach, by D. Bwift and Ooa., Washington. D. 0., our special patent correspondents. LAME EVERY MORNING A Bad Back is Always Worse in the Morning.—Florence People are Finding Relief. A back that aches all day and causes discomfort at night is usually worse in the morning. Makes you feel as if: you hadn't slept at all. Can't cure a bad back until you cure the kideys. Doan's Kidney Pills cure sick kidneys—make you feel better, work better, rest better and sleep better. A. Clark, carpenter, living at the St James hptel, Canon City, Colo , says: “I paid out over 850 for doctor's medicines in loss thana year, I had dull, heavy, aching pains in iny back, hips and loins about all the time, and there was alsoa urinary weakness which broke my rest at night and I would arise in the morning feeling as tired as when I went to bed. I saw Doan’s Kidney Pills advertised and 8o highly recommended that I got a box They cured the dull, aching pain in my back and loins and relieved the urinary weakness. I can now rest all through the night, and give all the credit for this to Doan’s Kidnoey Pills,” Plenty more proof like this from Florence people. Call at W. J. Daniels’ drug store and ask what his customers report. X For sale by all dealers. Price 50cents , Houston Opera House ‘ | ' FRIDAY. NIGHT ’ - JANUARY 25th «AS TOLD IN - THE HILLS” Cast headed by MISS DOROTHY GREY ! an actress of extra sirong j emotional powers. :: :: 1PRIOES: 26¢, 3be, 50c and Toc Foster-Milburn C 0.,, Remember the name, Doan’s and take no other. mwf ARRESTS—Two men are in jail today, each of them baving been oaptured in Pueblo and retarned hers last night. Ope of them {s William Shivers who is wanted to answer to a }rob!m'y charge. He was brought ‘back by OConstable Kimbley. The fother is William Ragsby,charged with defrauding J. W. Thompeon, a livery keeper at Portland. Ruogsby rented a horse and buggy from Thompson, drove it to Florence took it toa livery stable and then oaught a train out to Pueblo. Ho is said to owe Thompson a oonsiderable sum for rigs hired in the past. A Jamaican Lady Speaks High ly of Chamberiaia’s Cough Remedy Mrs. Michac] Hart, wife of the super intendent of Cart Service at Kingston, Jamaica, West Indies Islands, says that she has for some years used Chamber lain’s Cough Remedy for coughs, croup and whooping cough and has fouud it very beneticial. She has implicit confi dence in it and would not be without a bottle of it in her home, Sold by Dan els' drug store. mwf ' Especially low Winter Touristo rates to points in the SBouth and Southeast via Colorado & Scuthern Ry. Write T. E, Fisher, G.P. A,, Denver. s - 9 .. / ‘J‘ AR E\ X 2 S R NS ’, [V B, eagf'-' i} P - s\ N =2 x \A\ U QN Here it is. The Grocery Store that you sLould patronize. We carry in stock at all times fresh, } wholesome groceries of | every kind and desorip tion. Wae extend to our patrons every courtesy possible aod charge fair prices for everything. We want to supply your daily wants. M. E. LEWIS o ———————————— S ——T———— N $ 7 S \} = <€ \"'. = N Bty AR O TRz / = "4,.‘ The latest repord from high society indicates that Cupid is getting a rough deal. The latrst report from this mod ern laundry establishmentis that every one is getting a square deal and always will. You will find it worth your while to entrust us with the handling of the most delicate fabrics for there is no pos pibility of our injuring them in any way, for we use no acids or other injurious subatances in our laundrying. We want to be favored with your continued pat ronage. FLORENCE STEATI LAUNDRY i 112 Santa Fe Avenue —_— ! Vacant lots with city water. ssoto $ 75 (Good farnished house, leasod ground 150 Good 4-room house and out buildings, 325 Splendid 4-room brick house, city waer inside, 500 House and lot, E. Becond straet, city water. 400 Newly finished 4.-room house and lot, E. Third st., city water in side, rents for $9, 800 New and second hand buggiss, also new and second hand pianos for sale cheap, Hea my list, H. R.LOUTES Talk is Cheaß but a good quality of Photos IR one day with another is what counts, The "hdlidays Hhave brought us our pétrons of a year ago, with many new ones added. : We alwaya have all we can do because we give to everyone a square deal. ? ° Masters’ -Studio. ‘q@ il take a 1 3 B. R. Gordon. ™"k W Mathematics or Canguages after Janwary 1, 1907. For terms call at room 14, Blunt Block. will be paid for the apprehension and conviction of anyone detected stealing any property belonging to The United Oil Co. THE UNITED DIL €O, Especially low Winter ’:l‘ouviatsr rates to puints in the South and Southeast via Colorado & Southern Ry. Write T. E | Fisher, G. P. A., Denver..
github_open_source_100_1_136
Github OpenSource
Various open source
// RUN: %clang_cc1 -fsyntax-only -fobjc-runtime=macosx-fragile-10.5 -verify -Wno-objc-root-class %s // RUN: %clang_cc1 -fsyntax-only -fobjc-runtime=macosx-fragile-10.5 -verify -Wno-objc-root-class -std=c++98 %s // RUN: %clang_cc1 -fsyntax-only -fobjc-runtime=macosx-fragile-10.5 -verify -Wno-objc-root-class -std=c++11 %s @interface I1 - (int*)method; @end @implementation I1 - (int*)method { struct x { }; [x method]; // expected-error{{receiver type 'x' is not an Objective-C class}} return 0; } @end typedef struct { int x; } ivar; @interface I2 { id ivar; } - (int*)method; + (void)method; @end struct I2_holder { I2_holder(); I2 *get(); }; I2 *operator+(I2_holder, int); @implementation I2 - (int*)method { [ivar method]; // Test instance messages that start with a simple-type-specifier. [I2_holder().get() method]; [I2_holder().get() + 17 method]; return 0; } + (void)method { [ivar method]; // expected-error{{receiver type 'ivar' is not an Objective-C class}} } @end // Class message sends @interface I3 + (int*)method; @end @interface I4 : I3 + (int*)otherMethod; @end template<typename T> struct identity { typedef T type; }; @implementation I4 + (int *)otherMethod { // Test class messages that use non-trivial simple-type-specifiers // or typename-specifiers. if (false) { if (true) return [typename identity<I3>::type method]; #if __cplusplus <= 199711L // expected-warning@-2 {{'typename' occurs outside of a template}} #endif return [::I3 method]; } int* ip1 = {[super method]}; int* ip2 = {[::I3 method]}; int* ip3 = {[typename identity<I3>::type method]}; #if __cplusplus <= 199711L // expected-warning@-2 {{'typename' occurs outside of a template}} #endif int* ip4 = {[typename identity<I2_holder>::type().get() method]}; #if __cplusplus <= 199711L // expected-warning@-2 {{'typename' occurs outside of a template}} #endif int array[5] = {[3] = 2}; // expected-warning {{C99 extension}} return [super method]; } @end struct String { String(const char *); }; struct MutableString : public String { }; // C++-specific parameter types @interface I5 - method:(const String&)str1 other:(String&)str2; // expected-note{{passing argument to parameter 'str2' here}} @end void test_I5(I5 *i5, String s) { [i5 method:"hello" other:s]; [i5 method:s other:"world"]; // expected-error{{non-const lvalue reference to type 'String' cannot bind to a value of unrelated type 'const char[6]'}} } // <rdar://problem/8483253> @interface A struct X { }; + (A *)create:(void (*)(void *x, X r, void *data))callback callbackData:(void *)callback_data; @end void foo(void) { void *fun; void *ptr; X r; A *im = [A create:(void (*)(void *cgl_ctx, X r, void *data)) fun callbackData:ptr]; } // <rdar://problem/8807070> template<typename T> struct X1; // expected-note{{template is declared here}} @interface B + (X1<int>)blah; + (X1<float>&)blarg; @end void f() { [B blah]; // expected-error{{implicit instantiation of undefined template 'X1<int>'}} [B blarg]; }
github_open_source_100_1_137
Github OpenSource
Various open source
const _ = require("lodash"); module.exports = function(data) { return _.chain(data) .map(e => e.toUpperCase()) .map(e => e + 'CHAINED') .sort() .value(); }
github_open_source_100_1_138
Github OpenSource
Various open source
package c3.core; import java.math.BigInteger; import java.util.Hashtable; /** * FString is a string wrapper that uses a hash value for fast direct comparison * * @author Cody */ public class FString { // Used to ensure no two strings ever hash to the same value public static Hashtable<BigInteger, String> hashesInUse = new Hashtable<BigInteger, String>(); private final String string; private final BigInteger hash; public FString(String string) { this.string = string; hash = fnv1a64(string); } @Override public String toString() { return string + " (" + hash.toString() + ")"; } /** * Gets the actual string value for this FString * * @return the string value for this FString */ public String getString() { return string; } /** * Gets the hash for this FString as a BigInteger * @return the hash for this FString */ public BigInteger getHash() { return hash; } @Override public boolean equals(Object obj) { return (obj instanceof FString && ((FString) obj).getHash().equals(hash)); } @Override public int hashCode() { // This is a down conversion from BigInteger to integer return (int) hash.intValue(); } private static final BigInteger PRIME64 = new BigInteger("100000001b3", 16); private static final BigInteger MOD64 = new BigInteger("2").pow(64); // TODO move this to a math library private static BigInteger fnv1a64(String string) { // See http://github.com/jakedouglas/fnv-java/ BigInteger hash = new BigInteger("cbf29ce484222325", 16); for(char c : string.toCharArray()) { hash = hash.xor(BigInteger.valueOf((int) c & 0xff)); hash = hash.multiply(PRIME64).mod(MOD64); } return hash; } }
github_open_source_100_1_139
Github OpenSource
Various open source
import Events from "events"; import TerminalController from "./src/terminalController.js"; const componentEmitter = new Events(); const controller = new TerminalController(); await controller.initializeTable(componentEmitter);
bpt6k7816888_1
French-PD-Newspapers
Public Domain
3 lYoet'-'-r. — N* 6975, Centimes — pmj* et Départements — CSFjO Centimes Samedi 19 Août1899 111 1 | j | l l !J'. l j.&gt;%' BUREAUX DU JOURNAL *: 144, Rue Montmartre PRIX DE L’ABONNEMENT : T)èpart ts et Algérie :%mo&amp;xQ fr.—6 mois: I5fr.— lan: 28 fr. FATS SE l’OillOH POSTALE : 9 Mil, 12 fr.; « mi, 22 (r.: u u, 42 fr. Pour la rédaction, s'adresser &amp; SX. AYRAUD-DE GEORGE , SECRÉTAIRE DK LA RÉDACTTOK Rédacteur en chef : HENRI ROCHEFORT. ;UES ANNONCE» SOKT REÇUES : à l’AGENCE PARISIENNE DE PUBLICITÉ, 93, rue Montmartre ET AUX BUREAUX DU JOURNAL Annonceu r S fr. — Réclame* t 9 fr. 60 — Fait* divers ; CO fr» ls mimwcràt non (niirii iw ion&lt; pu rmltif Adresser Lettres et Mandats a M. l’Administsatete provisoire TRAVAU X JB’H EECULE (HT H E M R Y E N P R É S E N C E D E B E RT U LU S J U D A S ÉMOUVANTE CONFRONTATION LE SIÈGE DU FORT CHABROL SOLUTION PACIFIQUE Les misérables pandours qui prétendent nous gouverner et qui ne savent même pas se gouverner euxmêmes se sont mis vraiment trop d’affaires sur les bras. La mise en scène de leur complot né semble pas marcher du tout, et ce n’est pas parce que le procureur général — et dreyfusard — Buiot aura interdit l’usage d’une fourchette à Déroulède, aprèslui avoir enlevé sa cainne, que le public prendra au sérieux cette conspiration sans conjurés. Nos hommes d’état de siège suent, en outre, sang et eau à. la recherche de Marcel Habert, de Galli et de Thiébaud, qui ont trouvé absolument inutile de se prêter aux conversations que le juge d’instruction Fabre voudrait engager avec eux. Le ministère en est donc pour ses frais de mandats d’amener, dont le coût fest de six francs par tête. Et,-indépendammentde cette chasse à l’homme,' il en a organisé une autre en vue de capturer le déguenillé qui a tiré, à Rennes, sur l’avocat Labori et que les innombrables brigades de gendarmerie envoyées à sa poursuite ne sont pas encore parvenues à atteindre. Sans compter que, bien que tout i fait hors de danger, le défenseur de Dreyfus porte dans les muscles du dos, assurent les médecins, une balle que l’on a jusqu’ici négligé d’extraire, bien que l’on ait pu, aiu moyen des rayons Rœntgen, déterminer facilement l’endroit précis où s’était logé le projectile. Or, Waldeck comprendra tout de suite qu’il nous faut à la fois cette balle et celui qui l’a tirée. En effet, l’anarchiste de préfecture Sébastien Faure a déclaré qu’il nous rendait responsable de l’attentat commis contre M. Labori et que nous pouvions dès maintenant nous considérer comme des otages. Avant de nous constituer prisonniers entre les mains de cet ancien séminariste, MM. Ernest Judet, Edouard Drumont et moi, nous ne serions pas fâchés de savoir au juste quel est et d’où sort cet homme déguenillé pour lequel nous allons mourir, que trois mille agents de police poursuivent et que personne n’attrape. Tant qu’on ne nous exhibera pas l’assassin et sa balle, nous ne cesserons de répéter à l’exécuteur Sébastien Faure : « Encore une petite minute, monsieur le bourreau ! » Eclaircir cette affaire, qui s’obscurcit à vue d’œil, constitue donc pour nos pandours de gouvernement un fort surcroît de besogne. Et non seulement ces chevaliers de la triste figure n’ont pu arrêter le meurtrier de Labori, non plus quTîabert, Galli et Thiébaud, qui sont peut-être à l’étranger, mais ils s’avouent incapables d’arrêter Guérin, qui est resté d Paris. C’est même Guérin qui les arrête, rien qu’en faisant luire à leurs yeux effrayés le.canon de son flingot. Waldeck et Millerand, qui ont quelquefois donné l’assaut à la tribune, en sont à réfléchir devant celui que nécessiterait la prise de la citadelle de la rue de Chabrol. Lorsque la poudre ne parle pas, ces orateurs ne cessent de parler; mais dès qu’elle menace de parler, ils se taisent et, en bons parlementaires, finissent par demander à parlementer; De sorte qu’ils se sont, moyennant un pouvoir dictatorial et des émoluments sans contrôle, chargés : D’abord, de nous fournir les preuves d’un. complot qu’ils ne prouvent en quoi que , ce soit ; Deuxièmement, de faire appréhender un meurtrier qui, depuis "quatre jours, court les : champs, serré de près ou. de. Au mois de septembre 1898, les familles impériale de Russie et royale de Danemark se trouvaient réunies chez la princesse Waldemar. La conversation tomba sur l’affaire Dreyfus. Tout à coup le czar, impatienté, se leva et s’écria d’une voix éneiv gique: ; — Ne parlez plus de cet homme-là; il a été justement condamné. L’empereur de Russie est aussi bien placé, je supposé, que le colonel Schneider pour connaître de la culpabilité du capitaine qui trahissait la France au profit de l’Allemagne. Les patriotes en resteront donc aux déclarations des amis ' de la France et ne tiendront aucun compte des dénégations dés représentants , de nos ennemis, qu’ils se nomment Bülow, Schwartzkoppen, Panizzardi ou 'Schneider. Cès protestations intéressées sont pour .nous nulles et non avenues. A.-H. Montéjut. ' A propos de.la lettre. Schneider qui, d’après le Figaro, constituerait. un mensonge -, notre excellent confrère l’Echo de Paras ..dit ceci :. ... IJ y a, en effet, un mensonge ; mais c’est le démenti publié par le Figaro. Ce démenti, d’abord, se produit cinq jours après la lecture publique dii document. C’est déjà.bien étrange ; toutefois nous l’attendions, car nous sommes habitués à l’intervention constante de l’étranger dans l’affaire Dreyfus, C’est la conséquence inévitable* de la discussion publique de certaines pièces du dossier secret, discussion à laquelle le gouvernement et le Syndicat ont acculé le général Mercier et ses successeurs. Il jie faut pas oublier que toutes les pièces du dossier secret sont des documents dérobés, soit dans les ambassades, soit aux domiciles particuliers des attachés militaires. La publication de ces papiers devaient fatalement amener des démentis analogues à ceux des gouvernements allémand et italien, qui ont déclaré n’avoir jamais été en rapport avec Dreyfus. Si délicate que soit la question, elle doit être vidée par le conseil de guerre. Nous avons la certitude que cette discussion * établira l’authenticité du document contesté par le colonel Schneider, sur l’ordre de son gouvernement. A QUEL TITRE ? * Il paraît que le célèbre raseur Trarieux viendra déposer devant le conseil de guerre de Rennes. On se demande à quel titre. Est-ce que cet homme teint pariera de l’emploi de ses lotions capillaires et du meilleur moyen de noircir en vieillissant ? Il sera difficile d’établir «une relation quelconque entre la suie de cheminée qui sert à peinturlurer ce vieux débris sénatorial et le frein hydropneumatique ou le ISO court. Les temps, décidément, deviennent durs pour les youpins. Allons, faites-vous uge raison : retournez au plus vite dans vos ghettos. AU PALAIS M. Fabre n’a interrogé -hier aucun des prévenus du grrrand complot, qui attendent à la Santé, soumis au plus dur régime, le bon vouloir du juge d’instruction, accablé de besogné par la préparation du complot. Les dossiers des victimes de WaTdeckEiffel sont minces, il faut : les corser, .et M. Fabre est sur les dents. Dans la journée, le juge a cependant trouvé un instant pour interroger les huit ouvriers typographes qui étaient enfermés au Grand-Occident de France avec Jules Guérin, et qui, ayant obtenu la permission de sortir, avaient été arrêtés sur lé seuil de la porte et transférés au Dépôt. Les typographes de l’Antîjuif n’ont pas eu dé peine à établir qu’étant venus comme de coutume au Grand-Occident pour leur travail quotidien, ils se sont trouvés prisonniers malgré eux. M; Fabre les a fait relâcher dans la soirée. FRomiïior «r barreau Le bâtonnier de l’ordre des avocats, M* Devin, après avoir fait une démarche infructueuse auprès du sieur Fabre, juge d’instruction; s’est rendu au ministère de l’intérieur pour protester contre les odieux procédés dont les prévenus du faux complot sont victimes. On ne peut que féliciter M* Devin de cette démarche,qui fait ressortir davantage toute l’ignominie et toute la honte des bandits du ministère Waldeck-Millerand-Galliffet. L’EUROPE CONTRE LA FRANCE La déclaration apportée au conseil de guerre de Rennes , par Te général Mercier que 35 millions étaient venus d’Angleterre et d’Allemagne pour soutenir la campagne Dreyfus a produit une émotion qui est toute’naturelle. Mais, depuis longtemps, tout le monde sait que le dreyfusisme est surtout mené et payé de l’étranger. • Un de nos collaborateurs, dit le Gaulois, était, il y a quelques jours, à Londres. Dans toutes les gares, .aux vitrines, des affiches: le Martyr, le Triomphe de Dreyfus ; les Photographies du colonel. » Quelqu’un, revenant d’Italie, nous racontait de son côté, qu’il était.descendu dans un des principaux hôtels de Milan. » Or, le menu était décoré, du double ' portrait de, Zola et de Dreyfus. De plus, dans un coin de la salle à manger — tout pomme dans les cafés la provision pour le sou des écoles ,— était fixé un tronc avec ces mots : a Pour Dreyfus. u —-——r—. ■■ ♦ i, LA CONVOCATION DES CIÜMBRES Réunion des députés nationalistes MM. Lasies, Magne, Firmin Faure, Drumont, Georges Berry, général Jacquey, Gervaize, membres du Groupe nationaliste, ont tenu, hier, à trois heures, au PalaisBourbon, une réunion qui a été consacrée à l’examen de la situation présente. Sur la proposition du général Jacquey, il a été décidé qu’une lettre serait envoyée à chacun des membres de la Chambre pour lui demander son avis sur la nécessité de la convocation anticipée des .membres du Parlement. : '. A l’issue de la réunion, le général Jacquey s’est rendu au ministère de l’intérieur. '■■■■ * Le groupe se réunira à nouveau aujourd’hui, à dix heures et demie au PalaisBourbon. Voici lé téxte de la lettre qui &amp; été adressée aux membres du Parlement : Mon cher collègue, La France traverse én ce moment une crise d’une’ gravité exceptionnelle. Partout les électeurs manifestent leur étonnement de voir les représentants du peuple se désintéresser à ce point des affaires publiques, qu’ils assistent impassibles A des événements qui peuvent avoir de si redoutables conséquences pour l’avenirdn pays. Dans ces conditions, le groqpe de la Défense nationale a été sollicité par un grand nombre de députés de prendre l’initiative d’une demande de convocation des Chambres. Û vous serait reconnaissant de lui faire, con naître le plus tôt possible si vous voulez vous associer à cette demande. -, Agrez, mon cher collègue, l’assurance de nos sentiments distingués. L 'Agence Havas nous communique la note suivante : : Contrairement à ce qu’annoncent plusieurs joùrnaux, il est inexact ' que MM. Viguié et Hennion doivent être relevés de leurs fonctions. ■ —r-r —r: W-r: — A LA RECHERC HE DE MA RCEL HABERT Un incident à la fois comique et significatif s’est produit à NanterreDans un établissement voisin de la gare, on a eu toutes les peines du monde à empêcher les agents de la police secrète-d’arrêter un honorable commerçant, M. D..., dont la ressemblance avec Marcel Habert, est, paraît-il, frappante. ■ Mentionnons,à ce propos, la dépêche suivante que nous transmet l’Agence Iiavas : Biarritz, 17 août. M. Marcel Habert assistait, mardi, aux courses de taureaux de Saint-Sébastien. LE COMBAT NAVAL Ce soir a lien la répétition générale, pour la presse et pour quelques privilégiés, du «Combat Naval » dont.nous avons indiqué aux lecteurs de l’Intransigeant le programmé sensationnel. Tout est prêt pour assurer le succès de cètte attraction, un des clous de 1900. A partir, donc, de dimanche prochain, en matinée, les représentations auront lieu régulièrement tons les soirs, à 8 h. 1/8, et les jeudisdimanches et fêtes, à 3 h. et à 8 h. 1/S. Nous n’avons pas besoin de rappeler que les moyens de communications pour se rendre Porte-Maillot ou Porte des Ternes (c’est-àdire au ■ Combat Naval ») sont aussi nombreux que rapides. , Nous rendrons compte de la première soirée d’inauguration. En attendant, félicitons les habiles organisateurs d’un spectacle d’où l’on sort instruit et amusé. Del Rio. AU FORT CHABROL Le « statu quo ». — Les pourparlers. — Sixième journée. La situation était toujours la même, hier, au Grand-Occident. Les prisonniers sont plus que jamais résolus à la résistance désespérée. Waldeck le Panamiste, de plus en plus embarrassé, ne sait comment sortir de l’impasse dans laquelle il s’est fourvoyé. , La préfecture avait organisé le service d’ordre ordinaire, c’est-a-dire extraordinaire': un bataillon et un escadron de la garde, les brigades de réserve et des agents des divers arrondissements. Etat d’esprit des assiégés Guérin et ses compagnons paraissent tout aussi calmes que la veille, et c’est là précisément ce qui effraye le gouvernement. Si, en effet, on avait eu affaire à des exaltés, leur surexcitation, après six jours de résistance, n’eût pas manqué de faire place au raisonnement, et, la première effervescence passée, les prisonniers se fussent enfin rendus aux objurgations de leurs amis en se soumettant. Il n’en est rien; au contraire. C’est avec une froide énergie et après en avoir pesé toutes les conséquences, que notre ami Guérin a accompli l’acte qui lui vaut l'admiration des gens qui prisent le courage et l’héroïsme,si rares à notre époque de veulerie et de lâcheté. Avant de s’enfermer définitivement dans son fort, Jules Guérin a fait entrevoir à ses compagnons la possibilité delàlutte acharnée, la quasi-certitude dfe la mort. " Tous ont accepté sans sourciller, presque heureux de mourir martyrs de leur cause. ; • • Le président du Grand-Occident n’a pas eu à forcer les -bonnes volontés, car s’il eût écouté tous ceux gui s’offraient à partager son sort, le fort Chabrol contiendrait actuellement plus de six cents défenseurs. La situation, on le voit, est d’une exceptionnelle gravité, et l’on ne peut vraiment prévoir comment finira ce duel singulier engagé entre un homme et un gouvernement. Conseil de cabinet Les ministres sentent si bien, d’ailleurs, la responsabilité qu’ils ont encourue, en faisant arbitrairement arrêter des personnes accusées d’avoir • trempé dans un imaginaire complot préparé, nul ne l’ignore, par les soins mêmes du goùver■ nement, que, se trouvant acculés au jour-* d’hui à une effroyable alternative, aucun d’eux n'ose prendre sur lui de commander un assaut qui ne se terminerait que par un épouvantable carnage. Voilà pourquoi ils se sont réunis hier matin en conseil de cabinet et pourquoila séance entière a été uniquement consacrée au cas de Guérin. Aucune note officielle n’à été communi: quée sur les décisions prises; cependant, o.n sait que les discussions ont été vives et les. avis très partagés sur la solution à intervenir. Voilà le sixième jour que Guérin tient ie gouvernemen t en échec, et Waldeck-l'EmaiMâ était tout aussi hésitant, hiër après-midi, qu’à la première heure. • Le président du consëil recule devant un massacre. Que n’a-t-il songé à cette éventualité lorsqu’il a décidé les scandaleuses arrestations de gens dont le seul crime est d’être ardemment Français ? Nouvelles démarches D’un autre côté, les groupes nationalistes avaient été convoques dans leur bureau du Palais-Bourbon pour trois heures: Danscetteconvocation, il fut encore question de l’affaire Guérin. A l’issue de cette réunion, MM. Drumont, Lasies, Magne et le général Jacquey se rendirent auprès du ministre de l’intérieur, avec lequel ils eurent une grande conférence. Pendant ce temps, un incident dramatique se passait au Grand-Occident. Vers trois heures, M. Landel, commissaire de police du quartier du Mail, s’est approche,, accompagné d’une autre personne, de la porte de l’hôtel et, après avoir annoncé, à haute voix, au veilleur, qu’il venait dans un but humanitaire, a fait pas-, ser, par le guichet entr’ouvert à sa voir, une carte à l’adresse d’un des assiégés, M. Boudet, ajoutant qu’il venait annoncerà celui-ci que son père, sur le point de ' mourir, demandait à l'embrasser. « Vous direz à M. Boudet, ajouta le ma1 gistrat, que la personne qui m’accompagne est son frère, qui vient le supplier d’ac.céder à la prière du père de famille mourant. * Deux minutes s’écoulent, puis une voix * mâle, où tremblent cependant des lannes, se fait entendre : « Embrasse le père pour moi et fais ton devoir au dehors comme je fais le mien ici. Adieu!» Un bruit de déclic se produit: le guichet vient de se refermer. Et le magistrat et son compagnon s’éloignent, le second étouffant des sanglots. Est-il nécessaire d'autres démonstrations pour montrer la froide résolution des assiégés et leur immuable résolution? "/ On a procédé à la visite des égouts pour savoir si les caves du Grand-Occident ne communiquent pas avec les égouts de la ville. Cette visite a établi qu’il n’y avait aucune communication, mais on a pu se rendre compte que de ses caves Guérin pouvait avoir des intelligences avec les immeubles voisins. Les issues ont été immédiatement interceptées. A six heures, le général Jacquey et M. Magne reven aient du ministère et apportaient de nouvelles propositions à notre ami. Après une heure de pourparlers, ils res. sortaient sans avoir pu obtenir de solu' tions. ... M. Magne, entouré de journalistes, s’écria : — Ils se trouvent très bien là-dedans et ne veulent rien entendre. A sept heures, MM. Léopold Stewens et de Talleyrand-Périgord étaient également admis à pénétrer auprès de Jules Guérin, auprès duquel ils restèrent plus d'une heure. Interroges à leur sortie, les visiteurs refusèrent de faire connaître le résultat de leurs démarches. DERNIÈRE HEURE SOLUTION PACIFIQUE A nouveau, MM. Jacquey et Magne sont revenus vers Jules Guérin à dix heures, iis sont restés une heure environ et sont ressortis sans vouloir communiquer à qui que ce soit le résultat de cette démarcha aernièr v / r ' l/INIRANSIGEAOT Nous comprenons fort bien le sentiment de discrétion qui les oblige à garder par devers eus, avant la solution officielle, le résultat de leurs négociations. Cependant, contrairement au* affîrma.tions pessimistes de plusieurs de nos conR-ères qui rêvent d’assaut ' et de • combats e,t voient partout des arreflatiOns, nous pouvcnas affirmer que le siège est .désormais terminé.' • Demain nous apprendrons comment Jules tGuérjn s’est décidé à évacuer le tort Chabrol; Notre courageux ami n’aura pas menti à ses convictions et n’aura pas failli à sa parole et aux phrases hautaines qn’il jetait àn haut de sa fenêtre au eommissaice de pcdice veau-pour üii signifier un mandat d’amener. Ses compagnons de captivité .pourront se souvenir de Guérin avec reconnaissance ; car, jusqu’au bout, le président du GrandOccident *n’aura songé qn’à ses camarades de lutte, avant de penser à sa sûreté personnelle. Nous n’en pouvons dire davantage aujourd’hui, car il est des négociations qu’il importe de ne pas dévoiler sous peine d’en compromettre le résultat. Une chose est certaine : c’est que le général Jacquoy a emporté,cette nuit, dans sa poche, la transaction définitive échangée entre Jules Guérin et le ministère. Hier soir encore, afin de mettre tout un quartier en émoi, un service d’ordre considérable avait été organisé : troupes à cheval, troupes à pied, brigades centrales. Le.résultat ne s'esf'pâs fait .longtemps attendre.; car, devant ce déploiement de forces, deux mille personnes se sont précipitées, redoutant le fatal-événement, aux cris de : « Vive Guérin! A bas les juifs] Vive l’année ! ». = Quelques charges, de ■ sanglantes bagarres, des arrestations no mbreusesj. et voilà de quoi satisfaire les # instincts féroces de Lépine l’assommeur. * L’une de ces arrestations a donné lieu à un incident curieux. Comme on conduisait un manifestant au poste de la rue d’Hauteville, en passant devant le Grand-Occident, le prisonnier cria: »,Courage Guérin ! Ne craignez rien pour cette nuit : nous sommes là! » Ut la foule applaudit. Nous le répétons, nous sommes assurés d’une solution pacifique— néanmoins peut: être.montera-t-on la garde encore aujourd’hui dans là rue Chabrol! La force de l'habitude ! • Adolphe Pnssîen. : : i ELECTE URS E T ELUS "Le momentané dù niïnistèrè -des travaux • • publics, le renégat Pierre Baudin, ancien rédacteur en chef de la Volonté, feuille tombée à Tégoûf faute de tonds dreyfusards tureo-grecs, rendra compte de son mandat, ce soir vendredi, dans la salle de l’Harmonie, 9A, rue d’Angoulême, devant un auditoire soigneusement^ triésiy le volet. Nous ne doutons pas néanmoins qu’il se rencontre dans la salle un citoyen assez courageux pour demander compte au député de la Folie-Méricourt de sa présence. dans le ministère de bandits que préside Waldeek-Keinach et dont l’assassin de là .Semaine sanglante, Galliffet, fait le plus bel -ornement. C..,'■ xi.™ — I ' H le PROciyra traître CONSEIL DE GUERRE DE RENNES L’intervention de M. du Paty de Clam M“ Démangé demandant au témoin de vouloir bien expliquer, l'intervention du lieutenant-colonel du Paty de Clam auprès d’Esterhazy, le général Roget répond : Je me l’explique assez mal. Cependant on était persuadé à l’état-major de la culpabilité du capitaine Dreyfus. et, par conséquent, de l’innocence d’Esterhazy. C’était du moins L’opinion du service des renseignements, car lorsqu’on, parle de l’état-major au sujet de cette affaire,, c’est surtout du service des renseignements et de du. Paty. qu’fi s'agit,. Du, .Paty a pensé qu’il fallait contribuer à sauver Esterhazy, puisque le service des renseignements affirmait son innocence. « En tout cas, ajouté la général’ Roget,. il liant absolument dégagerl'état-major tout entier du rôle joué par Le colonel du Paty » Le grattage du « petit bleu ». Interrogé sur ce qu’il pense du grattage du nom qui figure sur le « petit bleu », le témoin répond : ' Je ne sais, si Esterhazy était le nom primitif. t 1 f y i , ■ • ;• r. /f {Dcimotre envoyé spécial) I PHYSIONOMIE DE L’AUDIENCE 'Renn.es , ; 17 août., : Grave journée,. aujourd’hui, puisque, pour la première fois, devaient donner assaut les deux meilleures lames dreyfusardes :-Berfcuiuis,et Picquart. Eh bien !'franchement, je crois que le E remiér engagement tfa pas été fort eureux potri' eux. Non que je-puisse trrftiquer la déposition de M. -Fertüluk : cét apôtre de là lumière-s’est éfforcecLe tellement ëtouiïer ses paroles, distributrices de vérité,, qulaprès plusieurs vaines observations, au "bout dîna ban ; quart d’heure, M'Oetnaags, affolé, is’èst‘écrié : — « Nul de nous n’a ,pu entendre un mot. Nous .supplionsiM. iBerfuteis de tout recommencer. » Et le commandant .Carrière a én un mot charmant : — « Ce n’eripas une depositiosà'dfe témoin, cela : c’est une confidence, de juge. L'arrogance du traître Au moment où Dreyfus, se rendait, ce matin, au conseil de guerre, il fit la rencontre, sur les marches du Lycée, du fieu-tenant d’infanterie chargé de commander les-soldats formant la-haie sur le passage du traître. ’ Le lieutenant, distrait 1 sans doute à ce moment, oublia de porter la main au hépL Dreyfus, alors, de prendre la mouche et d’interpeller l’officier « Lieutenant, vous me devez'le salut, je suis votre supérieur. » : L'officier,, esclave de là, discipline, qui en cette occasion, dut lui ■.sembler hieir rude,, fit le salut militaire. Maisle capitaine de gendarmerie Moreau fitremarquer au traître &lt;^ù'ilu’avai.t le droit d’adresser la parole a personne! Pourquoi Dreyfus ne faitril pas faire volte-face aux petits pioüpïous qui lui tournentsl ignominieusement îeffos ? ; d’instruction. « Plaintes inutiles,' d’ailleurs, car M. Bertulus n’en a pas moins continué à garder pour lui lumière et vérité'; et rien, n’était' comique comme,ses grands gestes, pathétiques, bras au ciel,, -coups, de poing sur le cœur, accompagnés -seulementd’incompréheniûbles grognements àla-harre. Aussi, un fou uire ; unanime* empoignet-il la salle et,pour la première fois, dreyfusards et antidrëyfüsards s.e troUvent-Üs unis en ma.-meme sentiment dfe douce gaieté. Une seule chose est. à peu prés comprise: c’est que M.Bertuius rappelle, an conseil que la Cour dfi.Gassafi-an a. déridé, dans son arrêt, que le bordereau était J’œuvre d'Esterhazy et que^a-Ueur deDassation étant la justiee supérieure, ce fait n’est plus à discuter. Or, la Go.ur de' Cas^ sation n’a jamais affirmé semblable monstruosité; elle a émis une simple hypothèse et M. Bertulus, qui est magistrat,. est le dernier à. pouvoir s’y tromper. Quant.à Dreyfus, il semble' suspendu, haletant, aux lèvres de son défenseur; son œil ne le quitte que pour 'surveiller ' si les sténographes écrivent bien tout et* guetter l’impression des juges. • Pendant,ce temps,.Mme Henry, crispée, sur son fauteuil, écoute de toute sou, âme,. et soudain, la déposition finie, ellebondit à la barre et, la voix haute,, vibrante, ëù quelques mots, elle défend iamémoire deson mari mort et s’écrie : ■ AUDIENCE DU 17 AOUT , , Rennes, 13 -août. • Le* nombre dès curieux 1 semble -diminuer chaque, jour. Ce* matin c’était presque jle calme* plat autour du lycée: ■' j Par contre, les mesures,.d’ordre-sontde ■ plus en plus-rigoureuses. | On s’entretenait, avant-, Fouverture de -l’audience, d’une prolongation possible des ] débats : M* Labori. ayant l’Intention, disaiti on, de demander, quand ilserarétabli, la comparution de témoins-qu’il voudrait questionner. .Vers six heures, les témoins. arrivent lentement et en petit nombre.;^ la plupart d’entre eux profitent de la liberté que leur a concédée le. conseil de n’assister aux. dé; buts-que le jour.où ils auront à déposer. ! Au banc ' de. la défense prennent place M® Demande, et son secrétaire, MP Collenot. ;Les secrétaires, de M? Labori n’assistent Iplus aux débats depuis, lundi dernier. A six' heures et demie, lé conseil entre en séance.. Le..général Eogel est invité à continuer sa déposition. 1E GÉHERHL Le. témoin, dont l’émotion avait hier vi~ ; ventent impressionné' l’auditoire, à retrouvé-tout son. calme,, et c'estlenlement,. d’une voix claire,. qu’il raconte, en tous ses détails, l’enquête toute spéciale faite, par le -faussaire Picquart. sur Esterhazy.. M. Picquart, dît' le • général Roget-, était h-aïvté. par l’idée de sauver Dreyfus. H s’acharnesur Esterhazy; saisit-ses lettres-à la poste-, se — « Le baiser que vous .avez donné à mon mari, c’était le baiser de ïudas!. .Vous êtes un Judas ! n L’émotion est profonde'et, bien entendu, du fond de La salle, quelques dreyfusards croient indispensable a la marche de la vérité de huer cette noble et courageuse femme. ; Mais voici Picquart, lo«divin»Dicqaart, le céleste Messie, sauveur d’Israël. Très calme, très sûr de lui, ménageant soigneusement, ses effets, parlant bien haut pour la galerie, d’une voix pointue, prenant des poses négligées qui ne sieentguère à un anrieu colonel devant un conseil de guerre, le grandartisan de l’intri; gue dreyfusarde commence, naturelle-:' ment, -par faire sa propre apologie et attaque ses anciens chefs ; ce qui Lui vaut cette sévère apostrophe du , colonel Jouaustf. ; — a Veuillez ne pas abuser et vous en tenir à l’affaire Dreyfus. » Quant à sa déposition ^ qu’on trouvera plus loin, c’est la réédition de ses Ion-, gués conférences à la Cour de Cassation. Pas une donnée fixe, pas un plan sérieux, pas une preuve en faveur d.u traître. Il ne se souvient .plus d'avoir reçu la pièce accusatrice pour Dreyfus, que M.. Delaroche-yernet Rxi a remise et qui a sj mystérieusement disparu ; H oublie de parler des cent mille francs gaspillés pour Dreyfus. Ce ne sont que vagues hypothèses. Quant au coupable, ce pouvait être tantôt Esterhazy, tantôt Henry, tantôt du Paty de Clam, tantôt de simples secrétaires ; n’knporte qui, sauf, bien entendu, Dreyfus.-Et, à bien étudier la tête impassible et sévère des juges, il semble, après les argumentations si serrées, -si logiqucs/si écrasantes, des -cinq ministres de la guerre eft du général -Roget, que c’est là de bien vaine et bien inutile rhétorique. ' ' ' ’ (livre à une-série de masoeuvres incorrectes. 11 s’empare des lettres qu’on écrit à Esterihazy, et de celles qu’Esterhazy écrit lui-même Il ne tcouve rien et portepourtant: des aceusations contre Esterhazy. Pour couronner ces manœuvres, il propose d’envoyer à Esterhazy une fausse dépêche semblant émaner d’un agent de l'étranger et devant l’attirer à Paris,! S’il vient, c’est qu’il sera coupable, U voulait employer un langage de convention, habituel àl'agent étranger. Esterhazy .était à ce moment-là, aux manœuvres qui prenaient fin et il est certain que, touché ou non par le télégramme, il serait venu à Paris., Ét alors Picquart se proposait de l’arrêter au débarquement, à la gare-Saint-Lazare. On repoussa énergiquement le système de la sùyveiHànce. Pour éclairer le conseil sur la singulière manœuvre de Picquart, le témoin raconte l’histoire de Quenefii à Belfort, un malheur reux dontpicqunrt voulut à tout prix faire un traître, auquel il envoya un agent tentateur qu’il ht condamner à trois ans de prison. M* Démangé.:—Le général a dit que le bordereau: avait été apporté en mille morceaux. ■ Letémoin. — Il ne faut pas me 'faire dire ce •que je ne pense pas ! J’ai dit que le bordereau' avait été déchiré, froissé et roulé. M* Démangé. — Le général a dit que M; Cavaignac aurait envoyé le lieutenant-colonel îïênry réclamer des pièces de l’instruction sur Esterhazy. Donc, il y' avait des documents. Si on supposé qu’Esterhazy est un agent favorable. à la familleDreyfus:, Comment admettre qu’il aurait dit avoir vu Dreyfus avec un agent étranger; à Bruxelles ? ... Le témoin, — Esterhazy est ' utt être qui échappe à' toute analysé. Avec lui, oh ne sait jamais à quoi, s’en tenir. : M® Demà’nge ena fini avec ses' questions. Le'président demande à Dreyfus s'il a des observations à présenter. '. Dreyfus**-répond avec un embarras' vi-, sible.: ' : h' On m’a. reproché d’avoir connu le plan de concentration; tout, officier* connaissant nos frontières peut tracer sur la carte Jes lignes .générales de concentration-, mais-je maintiens que je ne-connaissais pas-les points* d’embarquement de toutes les unités. Dans* la déposition que -je .viens d'avoir Etsouffrance d’entendre, il n’ÿ aaucun fait précis, aucun fait vrai. Rien qu’une argumentation. Après; cette protestation dont la sèche* cesse cache: mal .le dépit et la rage qun lui ont causée* la. déposition si précise, si lmuLneuse du général Roget, Dreyfus se rassied;.. ... : Le président donne l'ordre d’introduire le sieur Bertulus, dit le magistrat-clown. ni. BERTUÜJS; : Le témoin commence.sa déposition; mais i il parle d’une voix tellement bassequ’on n'entend absolument rien-. A plusieursreI prises,, le président, ladéfense.-le ministère j publielui-même, le prient de parier pins* haut. peine inutile.. Bertulus,, le joyeux Bertulus qui, dans les cabinets particuliers,. en~ I tonned’une-voix si gaillarde, des refrains* i érotiques, Bertulus est sans-voix, Bertulus ; balbutie comme une jeune-fille à marier. Agacé, le commissairedu gouvernement i se leve enfin et dit : Mais c’est une déposition secrète que nous fait le témoin-, je n'entends rien; cela ne peut j pas durer.. ■ JH® Démangé se lève à'soritour ; ■ I Je dois avouer, dit-il, que je n’aipas entendu i un mot de ce que vient de dire M.. Bertulus ; ' s’il pouvait recommencer, ilseraitbien « gentil ». • i Des rires éclatent dans l’auditoire ef Ber1 tiilus, embarrassé,.dit qu’il parie aussi haut qu'il" le peut, -maistoutefois il veut bienrecommencer sa déposition, ûn entend quelques mots de-ei de-là; on. comprend qu'il parledes pièces saisieschez Esterhazy; ce n’est pas une déposition,. c’est une pantomime. On entend un murmure, on voit quelques gestes, et c’est tout. ■ ■ ■ On devine vaguement qu’il raconte l’entre vue de Bâle, puis la scèue qui se produisit dans son cabinet entre lui et le colonel Heni’y, celui-ci se précipitant à ses genoux, le suppliant de ne pas le perdre : ; J’eus l’intuition qu’Henry pouvait être: le. ! complice d’Esterhazy ; je le lui fis comprendre; i il s’effondra dans un fauteuil, se mit à sangloter et ajouta ; « Esterhazy est un bandit ! », J’ai cherché aussi à savoir si Estérhazy était l’auteur du bordereau. Le colonel Henry ne : m’a jamais dit ni oui ni non à ce sujet. La i scène finie, Henry prit mon bras pour sortir, ■ afin qu.e tes curieux e,t. journalistes qui attendaient dans les couloirs n’eussent aucun doute, M. Bertulus parle • alors de la seconde entrevue qui eut lieu le SI juillet dans son cabinet» pour l'ouverture des scellés, Oq entend peu de chose. Henry dépouilla les scellés avec moi, réclamant les pièces intéressant le ministère de la guerre. Esterhazy faisait l’important. A un moment donné, il dit au colonel : • Voici deux pièces qu'il faut emporter. » C-étaient deux pièces écrites en anglais. Henry jeta un coup ' d’œil et répondit ; * Vous ayez raison, je les emporte. * Le magistrat-clown explique ensuite le rôle qu’ila joué dans les dernières affaires, mais il continue à parler pour lui seul; on croit comprendre cependantqu’il se justifie ou essaye de se justifier de n’avoir pas communiqué à ses chefs la scène Henry, en (Lisant que s’il né l’a pas fait, c’est parce f ue cela se retournerait contre lui ; car au alais, à ce moment, tout le monfie était contré lui, depuis le plus jeune substitut jusqu’au procureur général, en passant par le procureur de là République. Plusieurs journalistes et nombre de spectateurs s’endorment, l’aqdjtion de plus ep plus secrète de Bertulus devenait énervante. Mme Hepry, assise au premier rang dçs des fauteuils réservés aux témoinsj-fàft des efforts surhumains pour saisir quelques phrases sè rapportant à son mari; elle ne .semble pas y réussir. * Le général Roget, qui est intéressé à ce que l’on dit, tend l’oreille, avance la tête, se fait un cornet acoustique avec la main,, puis il agite lés bras désespérément, n’àyant rien compris. On entend cependant à un moment les phrases suivantes : ■ *. ? *” ‘ ,*•' Tout ce que je dis est vrai; mon greïfier. Audié, qui est très honorable, en témoignera. J’ai parlé aussi -de cette scène, h Dieppç, au docteur Perraud, qui en a parlé à un autre docteur avant la mort d’Henry. D’ailleurs, la Coiir de Cassation m'a’lavé: dés accusations portées contre ma conduite. J’ai eu cette attitude, parce que je voulais la vérité, parce que le pays souffrait delà situation qui lui était faite ; 'feus pitié de mon pays 1 Malgré les épouvantables attaques-dela presse,. j’aurai toujours au fond du cœur la satisfaction du devoir accompli. Voilà pourquoi j’ai provoqué la vérité et pourquoi je l’ai dit toute. J’ai commencé par repousser l’hypothèse de .la complicité d’IIenry et d’Esterhazy, car on ne condamne pas'Xm' officier de VUrmée fran,i çaise sans avoir la preuve absolue .de sa cul-: pabilité ; mais, après le faux Henry, j’ai compris. j vï. i/' ' ' T-S ‘ r "‘ '' V Le sieur Bertulus fait alors de grandsgestes ; mais d’une voix de moins en moins. perceptible, il explique, d’une façon d’ailleurs-incompréhensible, que le bordereau n’est pas venu par la voie ordinaire. .Pendant la déposition de ce témoin i aphone,l’attitude du traître est significative. Il n’est plus indifférent' et ses traits'.s’ani'ment en entendant — il est le seul qui ait pu l’entendre,'étant placé presque près' de lui — ce singulier témoin dont la déposi• lionfait hausser les -épaules. SUSPENSION D’AUDIENCE ■ • .j* -*.• , : ~ ”,** L’audience est.suspendue à neuf heures, et demie. " i/i .. i Pendant la suspension, (m sç montre Jean-Jean qui pérore dans un groupe de dreyfusards et qui se déclare enchanté — parbleu! —:de -la déposition du cabotin Bertulus, déposition dont personne, et Jean-Jean lui-même n’a pu entendre grand’,chose: ' •. Une voiture d’ambulance transporte à son domicile un avocat rie Rennes, .M® Hilary, qui avait dû' sortir de.la salle, pendant la ' déposition du générai Roget, se trouvant indisposé par suite de là chaleur, et qui avait reçu les premiera soins-dans une salle du lycée. Des artilleurs à cheval.-ont pris position dans l’avenue.’ Ils,remplacent Les gendarmes qui ont été surmenés par .la rechercheriu -meurtrier de M® Labori. REPRISE DE L’AUDIENCE A neuf heures cinquante, l’audience est reprise et le sieur Bertulus continue sur le même ton sa déposition « secrète » ; ■Un conseiller. — Si, commevous-l’avez dit, Henry avait été complice d’Esterhazy, à quel mobile’aurait-il obéi? •• Le témoin, i--J’ai dit que le. bordereau notait pas arrivé en mille.morceaux et qu’Iienry pouvait savoir d’où il venait. Le même conseiller. — N’avez-vous pas dit en parlant d’Esterhazy i ; -« Au point de vue trahison, fl n*y arien?» ’ ' ' » Le témoin. — î’ài dit'-qu’atrpdint de vue trà? hiaan. on ne po wra.ii.Tien, Esterhazy étant couvert par un jugement. Le même conseiller. — Sur quoi vous êtesvous appuyé ponr dire que le colonel Henry et Esterhazy avaient des relations avant 1891 ? Le témoin. — J’ai vu la lettre Jùles Roche. Après ces réponses saugrenues; lie témoin allait se retirer, quand tout à coup quelqu'un, se dresse debout Sains la salle. Intervention' de Mme Henry : C’est Mme Henry, qui gravit rapidement les marches qui la* séparent de la barre des témoins. Elle regarde M. Bertulus les ! yeirx ‘dans, les yeux et. s'écrie :. "fie I? juillet, mon mari m’a raconté qu’il : était allé chez' M. Bertulus, et que ce magistrat l’avait reçu: d’une façon ainoàble et. charmante et l’avait même embrassé. Je Lui ai.dit: • Es-ttrsûr-de cet: homme? 'J’ai' bien peur que ce ibalsor ne soit un baiser, de Judas ! » Dans unelettre;, qu’il m’a écrite à Mers et. que j’ai malheureusement égarée, il me disait qu’il avait trouvé un accueil toujours aussi aimable; Je ne m'étais pas trompée; : cet homme est bien uni Judas.-v. &lt; De président vèut intervenir; mais. Mme | Henry continue et, d!un ton très ferme, au i milieu de la vive émotion de l’auditoire, j elle ajoute: Cet homme est bien le Judas que f avals pressentiv v Bertulus s’effondre, et ne sait que dire. H déclare qn’il ne-répondra pas à une femme. Mais Mme Henry le regardant bien en lacer Je ne-suis pas une femme ici, s’écrie-t-elle avec force. Je parle au nom du colonel Henry. — Comment voulez-vous, que je réponde à t Mme Henry? se borne à dire M. Bertulus; elle défend le nomd’un mort et -celui d’un enfant. L’émotion est au comble dans l’auditoire, profondément remué par la tragique intervention de la veuve du colonel Henry. Mme Henry se ressaisit et déclare regretter de n’avoir pas-apporté deux lettres de son mari, dans lesquelles il raconte la scène, en ajoutant : « Bertulus est avecnous ». « Il n’a pas été dit, ajoute Mme Henry, que le bordereau était en mille morceaux, mais bien qu’il y avait plusieurs déchij rures. » Bertulus demande pourquoi Mme Henry n’a pas protesté à la suite de la publication de sa. déposition devant la Co,ur de Cassa* tion. Mme Henry. — J’étais à la campagne, soignant mon enfant. Je croyais pouvoir faire entendre ma protestation pendant le procès que j’ai intenté &amp; M, Reinaçb, et je l’aurais lait s’il'.n’avait pas pris la fuite. ' M* Çemange. -Pourquoi M. Bertulus auraitil eu des raisons d'animosité contre votre mari ? ■ Mme Henry .-st Je n’en sais rien.: M* Démangé. —? Le colonel Henry a-t-il expliqué pourquoi MBertulus a été amené à l’embrasser? Mme Henri. — MBertulus s’était montré charmant'pour lui. Il lui a dit qu’il était avec l’armée et, dans un moment d’expansion, l’a embrassé. LE FAUSSAIRE PICQUART La salle est encore toute remuée par l’éi mouvante confrontation qui vient d’avoir lieu, quand le président donne l’ordre d’appeler le témoin Picquart. Après avoir confessé qu’il avait, en effet, connu le traître alors qu’il était professeur à l’Ecole de Guerre, le sieur Picquart aborde l’incident soulevé par M. Delaroche-Vernet au sujet dù conseil qui lui avait été donné de s’assurer des relations avec une dame étrangère. Naturellement ce fourbe déclare ne pas se souvenir et s’élève avec une indignation • &lt;je commande contre tout soupçon d’avoir fait disparaître une pièce quelconque du dossier Dreyfus. * • Le faussaire paye d’audace déclare qu'il n’a aucune part de responsabilité dans les faits qui lui ont été reprochés. 11 attaque plusieurs personnalités et se fait rappeler aux convenances par le pré* sident. M. Picquart. — J’aurais bien des choses à dire sur ce qui se passait autour de moi, contre moi... Ainsi... , • Le président^ — Vous êtes ici pour témoigner; n’accusez pas! * M. Picquart. — Je défends mon témoignage.’ Le président/— Ne perdez pas de’ vue que nous jugeons la question Dreyfus. M. Picquart. — J’ai vu Dreyfus à l’Ecole de Guerre, j’étais son professeur. J’ai fait un voyage de topographie avec lui. Je luiai dénué, des notes très modérées. _ , , ■sr. i i ; i î Incidents ~ ;. 'Pendant la déposition du sieur Picquart, deux incidents se produisent. : •. i Le colonel Lohé, commandant la 10? légion de gendarmerie qui était dans la salle est pris a’une syncope. Il a été transporté à l’infirmerie dans un état très alarmant. Le silence est à peine rétabli qu’un des soldats de service aux premiers rangs du* public s’évanouit. ; : f t-b *. La chaleur, est intolérable. Suite de la déposition Picquart Nous ne suivrons -pas le faussaire dans sa longue démonstration dont le but est d’irinocenter Dreyfus. Il explique que ce fut lui qui fut chargé de suivre les débats du premier conseil de guerre et d’informer de ce qui se passait. le ministre, le générai de Boisdeffre, et au besoin le président de la République. On sait dans quel sens furent faites cës coinmunications. Le faussaire Picquart raconte ensuite à sa façon — et ce n’est qu’une répétition de sa déposition antérieure „— l’arrivée du bordereau, la scène de la dictée, la dégradation, etoc * ,t. Riçn à dire sur la période, dit le témoin, qui a suivi la dégradation ; jTàî pris le service des renseignements le 1" juillet 1895, cela à la suite de l’attaque du colonel Sandherr ; il m’avait dit que l’on se préoccupait toujours de la question Dreyfus. « Si vous avez un doute, a-til ajouté, demandez le dossier Secret ». Je -ne* l’ai ouvert qu’en moût 1896, un -an après; cefait établi, jel’oppose aux malveillances qui' veulent que, dès mon-arrivée, je me sois Pc-; 'cupé de la réhabilitation de Dreyfus.’ * ’ Dès mon arrivée, le général de Boisdeffre me confirma ce que m’avait dit le colonel Sandherr. fl fallait connaître les mobiles du crime, car toutes les hypothèses étaient mal fondéeset les renseignements de moralité avaient été détruits au procès. Il fut décidé que.je ferais une enquêté sur les mobiles qui avaient. fait agir Dreyfus, que/e croyais coupable. Après cet aveu, qui a dû échapper au faussaire, il se livré, lui aussi, à un examen du bordereau au poinêrie vue technique et reprend la démonstration connue. Ce sont toujours les mêmes arguments ramassés dans le but de dénaturer la vérité au profit des intérêts du traître que tout condamne. Au moment où. le sieur Picquart .annonce qu’il va aborder le « dossier secret », le commandant Carrière propose le renvoide la séance à demain. *. ' Aucune objection n’est faîte et le. traître lui-même déclare qu’il n’a. pas d'observation à faire. ’ L’audience est levée à. onze, heures quarante et. renvoyée à demain .pour lacontinuation de cette déposition, dont les drey-,, fusards attendaient le plus grand, effet et qui aiaitlang feu. r Le conseil entendra ensnife lé commandant Cuignet.eï le général de Boisdeffre. M-,du Paity de Clam était inscrit sur la listepour déposer demain ; mais son état de santé; nousl’avons dit; le retientà Paris. ... La sortie de l’audience. La sortie de l’audience s’est effectuée dans le plus grand calme,, en. raison d’ailleurs des nouvelles mesures d’ordre qui. sont prises. Les gendarmes à cheval interdisent l’accès des quais à droite et à gauche de l’avenue de la Gare et sur l’une et l’autre rive de la Vilaine. : A plus de 500 mètres de chaque côté, les abords du lycée sont donc absolument déi serts et ,ce n-’est que dans les rues adjar Icentes qu’une certaine affluence se produit,. occasionnée, d'ailleurs, par L’mterdiction du passàge par les quais. ; :. F. Bellay. 1 , | • La durée des débats' Le bruit court que les débats dureraient jusqu’au 10 septembre. Le renseignement vient d’une* personne, i qui assure qu’U'lui a été donné par. M. Çoupôis, greffier du conseil de guerre. Confrontation de M. DelarochèVernet et de Picquart On affirme à Rennes, dans les milieux bien informés, que la confrontation de MM. Delaroche-Vernet et Picquart serait décidée par le conseil de guerre. -Ce sera assurément une séance sensationnelle. On n’a pas semblé, dans le public, attacher l’importance qu’elles méritent aux affirmations très graves apportées par M. Delaroche-Vernet. Il ne s’agit pas seulement, en effet, de la pièce du 10 juin 1895, où il. est question de CGC, qui a été remise par M. DelarocheVernet à Picquart. Celui-ci, quelque temps après, lut à l’agent du quai d’Orsay une autre lettre de la correspondante en question qui lui faisait directement des offres de service. A ia question : a Mais qu’est-ce que vous comptez faire ? » M. Picquart aurait répondu : « Rien du tout. Elle demande trop cher. » Cette lettre, comme la première, ne s’est pas retrouvée. Voilà deux documents disparus, sans compter les autres, pièces que M. Delaroche-Vernet se souvient d’avoir remises à M. Picquart, notamment une adresse que l’on indiquait en France et qui d’ailleurs n’a jamais été vérifiée par lui. La santé de M* Labori M? Labori va de mieux en mieux et son problématique meurtrier court toujours. Le défenseur du traître a, au dire de ses propres amis, « recouvré toutes ses forces et toute son énergie; il assistera probablement lundi à l’audience, mais sûrement mardi.». M® Demànge avait annoncé, une demiheure après u l’attentat », que son confrère serait rétabli lundi il le sera. C’est à croire qu’il savait d’avance que sa blessure devait être bénigne et que cetie date du lundi avait été fixée au préalable. Les médecins ont d’ailleurs décidé qu’ils ne tenteraient même pas l’extraction de la balle. Craindraient-ils, par hasard, de ne pas la rencontrer ? Pas de meurtrier ! pas de ba'lle ! Une victime qui se déclare prête à plaider huit jours après avoir été frappée ! Ouelétrange attentat ! Quant au mystérieux assassin, de M® Labori, il devient de plus ‘ en plus introuvable, et cela malgré l’énorme déploiement de police et de troupes qui s’est fait pour le saisir. Il semble qu’il faille renoncer à prendre cet inconnu dont l’acte opportun a si bien servi Dreyfus^ Le témoin de Potsdam &gt;.. M. Mertian de Muller, qui, au cours d’un voyage en^Allemagnej-yit dans le cabinet de travail de l’empereur, an château de Potsdam, un journal annoté sur lequel était écrit : « Dreyfus est pris », vient d’arriver à Rennes. H est descendu à l’hôtel dç Bretagne. On sait que le bruit avait couru que M. de Muller ne viendrait pas déposer devant le conseil de guerre. M, de Muller est, d’ailleurs, dans un état de santé très précaire. Mais il a tenu à venir déposer quand même. ... • .. —. ; Un prdre du jour. -FrMaia üs la la mille Carnol M. Paul Carnot,: neveu — paraît-il— d« l’ancien président de la République, avaif adressé-im télégramme de félicitations*'à M® Labori, 1!assassiné problématique. . Voici, à ce propos,, une dépêche adressée-au nom de la famille Sadî-Carnot; .' Laroche-gare. .* . Je voiâ dans lé Temps du. 17 août un télégrammesigné Paul Garnot, neveu de l'ancien président de-' la République; à M» Labori. Je vous prie* de vouloir bien insérer ia protester tion des fils de l’ancien président Carnot contre l’usage dù nom de leur père fait par TOtre journal dans les circonstances actuelles.... Ernest Caenot. Les pastilles Vichy-Etat à la dose dé deux ou trois après chaque-repas dissipent les aigreur» et facilitant ia digéstion, c’est le meilleur antiseptique de la bouche et de l’estomac. .. , V ELECTION SÉNATORIALE M. Knight, républicain, industriel à U Martinique, a été élu sénateur, dimanche dernier en remplacement de M. Allègre, républicain radical, décédé: M*. Knight a été élu par 197 .voix contre. 75 données às M. Sainte-rLuce. M. Knight était le candidat du parti républicain qui à soutenu l'élection de M. Allègre et celle de M, Deproge, ancien député, non réélu au * mois de mai 1898. —i—.—•• • »■• —— — ! DN EMPOISONNEMENT Nous avons'relaté hier dans quelles cir&gt; constances une juive, Mme Lichtblau,avait. été arrêtée sous l’inculpation ' de tentative 1 d’empoisonnement sur ia personne de. son S mari.. Hier, le juge d’instruction Boneart afait extraire Mme Liclitblau de sa cellule A Saint-Lazare, et. l’a soumise à un long interrogatoire. • Mme Lichtblau proteste desan innocence* 1 et déclare -qu’elle est victimed’odieuses. : machinations de lapart de ses anciens do: mestiques. , Il y a, en effet, contre elle une déposition très grave d’une bonne, Mlle Madeleine JI..., qui a été à son service pendant : plusieurs années. Voici l’accusation que Mlle H..: a portée , contre son ancienne patronne, au mois d’avril dernier. Cette déposition fut faite à M. Durand, commissaire de police du, quartier de la Porte-’Saint-Martiu. —J’ai été, jusqu’au^ février dernier,femme de chambre chez M. Lichtblau. J'avais à ce moment quitté cette place parçe que j’a-» vais dû aller enterrer mon. père, en Autri« ehe, mais j’ai toujours conservé depuis desrelations avec les autres domestiques, nqtamment avec la bonne, Anna C... » Or;hier, je suis allée voir cette dernière. Elle m'a raconté que : depuis quelque temps M. Lichtblau avait de fréquents vomissements et se plaignait de brûlures à la poitrine, mais que l’on n’avait appelé aucun médecin. » Anna G... a trouvé cela bizarre. Elle .s’est étonnée aussi de la recomman-,dation que lui avait faite unjour Mme Lichtbleap en lui remettant quelques morceaux de sucre qu’elle lui apportait : « Tenez,ceéi est pour sucrer les tj?anes de mon. mari, mais ne l’employez pour rien autre.chose.» ■ «isnfin, j’ai su qu’il y a quelques jours ia bonne qui m’a remplacée a été malade, après avoir bu de la bière destinée à M. Lichtblau. » Et Madeleine H... ’sr reaw AjadiicàUoiu .'j— ICfljucfiitefiôn es .gb-loir* aurabais, des irh.waux.ei .chAcpnuie rt) ‘bois-, et de 'parquetage à» palais des Amiens de terTe et de.'mer, estfixée au -19-eouraHt. L’enaem'blie des *tr&amp;vaux 's’élèvera à 500,0091 francs environ;. Le catalogne oïÊcièl. 'Avis :alix re tardataireB,:. „ .-.. . . Parmi les exposants. .provisoirement ad; mis, il en pst un certain, nombre qui n’ont pas encore transmis à l’afàmini-slralion leurs iorroules d’inscription au catalogue officiel. M. Dervdllç,, directeur general ad-; joint de l’éxptoUation, .clmrgé qe la sectionfrançaise, vient d ? adresser a Si retardataires une circulaire -réclamantt d’urgence ces documents. — ; L’impression des dîx-htfît volumes Composant -le catalogue officiel est; en effet, un travail considérable, çt tout '.rûtaitd_ dans l’envoi*des reuseignements /demandés idxri poserait ceux qui «s'en rendr aient «Coupables à ne pas voir jleur note .figurer au catalogue. . ' '.■.&lt;■■ ’ • La médaille de l’ExpoÉition.-— M. Roujon, -directeur des’ Beaux-Arts, d’accord" avec M. Picard, commissaire général, a, chargé MM,Ghaplain -et Roty deil’exécuüoiU dés deuxmédailles de «l'Exposition de 190a La médaülerdes récompenses, d’un module circulaire de !63. millimètre^,, est eon.-. fiée à M. Ghaplain ; la. médaille commémorative, qui dura la -forme d’une plaquétte de 50 millimètres de haut, sera-due au burin de M. Roty. , , :■ • *Rappelons que clest 'lé 19 «fcoûrant ijue la ' commission .des finances, après .examen du plan dressé «par les .sonmissionnaireseti étude comparative des offres 'faites et deschiffres .fixés par le-.commissariat général-, arrêtera la liste déflnitive.des adjudicataires pour les restaurants et les différents êta-, blissements de consommation.. •Georg;edô Tutlly. Voir à la 4' page la suite fie notre .feuilleton,: TRAITRE! Faits divers En «France, on temps nuageux, et moins chaud est probables Les Drames d'hier. — Mie Germaine Cerciat, couturière, âgée de S 6 ans, demeurant 18, rue Dussoübs, a tiré un coup de revolver sur son amant, Ernest Bucail, âgé de 2 A ans, représentant de «commerce. ; M. Bucail a été .atteint au cou. Mlle Gerciat s’est ensuite tiré une balle dans le sein gauche. Les deux blessés ont été -transportés à l’Hôtel-Dieu. —— Vers six heùrea, hier -*air, «eh ’face du a° 29 de 4a&gt; rue d’AHefflagîie, le; «jeune Christophe Ronflât, âgéde (treize ans, ia été frappé de trois coups -de -couteau par «en nommé Henry,, gui a pris-la fuite. Le blessé a été reconduit chez .ses parents gn’ii avait quittés, il y a au moins huit jours. Troll Incendies. •?.Dans la seulb journée d’hier, nous relevons trois «incendies : Le matin, à huit heures, dans un hangar, de la gare de Lyon, oh se trouvaient enfermés nombre de colis. Les pompiers, prévenus dès' le début,'ont pu se rendre maîtres du 'feu assez‘rapide-'' ment. Les dégâts -sont béaQtnoiHs imper'■ tants.Un -employé de da.'Compagnie.a,été assez.grièvement brûlé aux mâifrs et à «lafigure en voulant éteindre 4e îeu, Son 'état a paru suffisamment gj-ave pour-nécessiter son transport à l’hopitaL. Un autre incendie qui Vêtait déclaré, à dix heures, rue Cwttrtaïon, a» 8 ,a été assez rapidement éteint par les «pompiers de la caserne de la rué Jean-J acques r Rousseau. Pas d’accident à signaler. Les dégâts sont peu importants. —Enfin, à onze heures du matin, un incendie a complètement détruit une ' dès chambres de l’hôtel situé 12; rue Gay-Lussac. Les dégâts sont très importants malgré les efforts des .pompiers, qui n’ont pu se rendre maîtres du feu qu’après une heure de travail. Pari mortel. — Un menuisier, Jean Delcourt, faisait hier le stupide pari d’avaler douze petits verres de rhum pendant que les douze coups de midi sdnneraiënt. Comme midi allait sonner, il s’attabla avec ses amis dans un restaurant de la rue Nationale. Au premier coup de l’horloge, Delcourt commença à exécuter sonpari; au dixième, il tombait frappé d’une congestion et mourait quelques minutes apres. Le corps du malheureux a été transporté ' à sou domicile rue Saint-Jacques,. Gazette dLtx Jour Coups de couteau. — Au cours d’une discussion très violente qui s’était élevée -en5re deux frères, Jean et Arthur Courtois, ce dernier a frappé sou frère Jean d’un, coup de couteau dans la région du cœur. Le blessé a été transporté dans un état très grave à l’hôpital Saint-Antoine, • et le meurtrier envoyé au Dépôt. , w— distribution de prix. —Mardi, rue de la Chapelle, a eu lieu la distribution des prix aux élèves de Mme Hardouin. L’éloge-de eette école libre n’est plus à faire. Depuis. 1 Bé&gt; 3&gt; les heureux résultats se maintiennent. 16 brevets, certificats d’etudes «t diplômes Dnt été décernés aux jeunes filles, sur 5 A candidates présentées. Un nombreux et sympathique public a applaudi les jeunes lauréates, dont la plupart ont chanté et récité des poésies avec goût et distinction. Les'prix d’honnenr ont été remportés par Mlles Mongodin, Çhardet, Cloison et Frikart ; es prix d’excellence, par Mlles Portclette, Lemerle et Maîtrehen. DttMAüTSLERÈüâTHEUI^ L'immense inccii obtenu pu ces ipiendidee imitations a tait surgir des imitateurs. Au public, qui est boa jupe, do taire la dilttranea. 10, Boul. des Capucines; 21,Boul.Montmartre; 99, Bout.-Sébastopol. Catalogue illustré .franco. NÉCROLOGIE ? — On annonce la mort: De Bunsen, le grand savant, .physicien et chimiste. Il était âgé de quatre-vingthuit ans. Depuis 1852, il professait à Heidelberg. Il est l’auteur de travaux nom-, breux et considérables sur les applications de l’électricité à la chimie, sur la combustion du gaz, les poids spécifiques, etc. Il est l’inventeur de la célèbre pile qui porté son nom et d’un brûleur à gaz très usité. C’est lui qui dota, avec Kifkoff, la sclençe de cette admirable méthode d’analyse : ja epectroscopie. De Mme Antus ïoudouze, artiste peinir^i vçuvû de l'architecte Toudouze, ins •était âgéêde r 1 77' j &amp;ris, IHi.géiüjral.Dr«(e*»onaet.fIîîétalt âgé de soixante-quinze ans. il «a fait partis du comificl iderefortifioatiorife «et «du «coüiité des poudres et salpêtres. ; • ’ y. V' •. «• ‘ LaTÎanded'étA — LeéperSonnfes«.peu disposées, à «manger de. la viande «Arrêté trouveront un «plat substantiel, Appétissant dt exq«uiB avec les macaromBou les-nouillettes ‘aux œufs de Rivoire ét -Oarret, vendue -en paquets fermés portant la marque Rivoire et Carret. .. *—r— &gt; Imaiit .ssciîiists elfEiisiaiisie COMBÏUMTCATIONS LÈSiStaiPES'iPapULAIEES. —■ ITROISlàUE îAKRONdüsSsxRnA -, Le oomiié dé la Soupe populaire du troisième arrondissement ^prévient les-intéressés &gt;qif il recommencera ses dista-iibiitaons quotidiennes ' le il* c ; décembre prochain. « Au nombre des ressources .quilui aident à «mener à bien son œuvre philanthropique, il •convient de signaler une grande toMtroîa compSreaieait.dns tets«offertS'pw degénéieux -donateurs. ■ Les personnes désireuses de 's’aasntsiér à cette «œuvré ' d’.hamanite ét de solidarité :sont 'priées d’etivoyer.leur don :ou ies lots destinés ,ài la tombola, au siège social, 62, rue Rëàu,mur, ou au président, la. Besson,' 3, rue Ylolta. &lt; -, l i JSI 't il ||».'| j t ' ! ; ; ; ; Comités adhérents au comité central socialiste révolutionnaire ;'. *** JeniruBSS&amp;'blahquiste. — ILa réunion qui. dfevait avoiriieu isamedi est renvoyée au dimsmcb&amp;afi e&gt;oürânt .&amp; deux Iteures ide fiaprôsntidi, au siège social, 7S, .Toe Jéüihcampaix. &lt;" r • -—t—»•;i mi l s Avec sa plage de sable -fin, n®ïe &gt;dt bien abritée, ùes nombreux-massifs de sapins, ■ses superbes avenues «t ses communications faciles : Franc'eville-PIage, parTvlervlllë, ;prèsiGaéri (Câlvado 8 ‘), .est-bien inoon-, testablemant la plus belle station balnéaire dlu'Iittorali Pour y devenir propriétaire et .à 'des prix exceptionnels,, s’adresser «sur place, et à Paris ~ -Palhis du Commerce, -1J0, rue IléauaÙUT. ■ qONCEHT5 P-AUJOURD’HUI j ; MUSIQUES MILITAIRES j ; ’ De 5 ià 6 heures ( «Jartlin Ûc Biuxeiajbourg;. ---I30*fie ligue.— Marche mllütaira (Coquelinj. Ouverture de la 'Sirène (AubetJ). *— -Dépêche -télégraphique {Strohlj. —s Symphonie fSaiat-SaUirS);— La Bavarde (Kellèriiclt). Jsnlfn Ait l*aIafs.SS»yal. •— Carderépublicaine. — -Le Voltigeur (G. Parés). — Sélection sur le Xannhænser (R. Wagner). — Don Pasquale, pour hautbois (Donizetti).'— Mosaïque sur Werther (Massanet).— Valse des ChassôursfSelfenick). ' ‘ !L'al!mrtel' «Etiiile-t-lpffff » : Voici la rapport que le .patron. Delaltre, de ‘VEttiHè-dÜ-ia^Mer, a adressé au ■eommissnire de ï’ïnscrlptioa maritime du quartier' ide-Boulogne isar les incidents de .sa« prise; pàrta canonmdère anglaise.Lado, «On verra -qlxc «ce Tappourtcœœlfinng ce que nous avons; raconté-U y .a doux joursque ia scélératesse anglaise y éclate dans tout sou cynisme ; .. îàaaBieiir le. commissaire, iJe «soussigné beiattre (Jules), patron «du îamgTede pêche Èt'oile-de-la-âtm!, ut* '2208, attaché « ad port, d’fitapiés,. viens vbus déclarer rque t lie suis sorti d’Etaples mardi, 8 du .courant, vtrs midi, beau, temps, "veut de là, partie nordnord-est, pour faire le métier de chalut. .«Vers neuf heures du soir, nous avions notre ’ chalut dehors, à environ trois milles au large dans le -sud?'dela Rye. Vers dix'heuree,"flous ve« nions-de-hâlér notre chalut &amp; bord et avions le cap sur France, quand, une icanauuifere an-, glaise. JLsafaj nous, envoya «ses, projections «élec« triques. Une baleiniére se détâcha «du croisenr et fit force /de rames,sur uous-i ce canot ne pouvant nous gagner, tira deux ou trois coups de feu sur nous. Le croiseur à'vapeur anglais se dirigea sur nous tirant à balles en'Tair dans notre direction ; chaque fois que ce croi; seur s’approchait de. nous, fi 'envoyait une «dé: charge. • ; ■ : «: ■ • (Nous avons changé la direction de notre hâté au chaque fois, pour tâcher de. l’éviter.: -A la troisième fois, le. croiseur passa, â 'tribord' de nous, ayant toujours cap en France' ; à ce moment, pour éviter i’abordage, je fis .virer cap en France. A ce moment, revenant sumous par tribord, les deux bateaux'étant côté à côte, il envoya sur l'arrière de nous unedéchargeà tir géant qui blessa un homme et tua un malheureux jeune homme de dix-neuf ans, soutien de famille. Vis-â-vis de cet accident, je fis atnnoer ton* tes-les voiles et me rendis prisonnier. L-a-baleinière du croiseur arrivaA-bord avec une remorque et le médecin dubord, qui avait été appelé par nos cris. Le médecin constata ta mort de mon.-Infortuné beau-irère et je.m’Bmbarquai avec lui sur fa baleinière, pour me rendre, d’après les ordres reçus, devant le commandant anglais. Pendant que je me trouvais à bord du bâtiment anglais, le médecin retourna revoir Je 'corps, ; On ne me permit -pas «de retourner à bord de mon bateau et le croiseur nous conduisit à Folkestone, où noua rentrâmes mercredi 9 août, à neuf heures du matin. Avant de passer en justice, on nous fit débarquer le corps de notre infortuné compatriote, et conduire à la douane anglaise, où il -subit l’examen d’un médecin civil et du médecin du croiseur. II-était quatre heures; je fus conduit devant le tribunal qui me condamna à 15 «livres ' dfamende et à la confiscation de gréement. Je fus de: nouveau conduit devant le même tribu, nal en témoignage des, procédés du comman. dant anglais. Je déclarai que c’était de sa faut,e si le matelot était mort, car il faut être barbare pour tirer sur des gens sans défense et à bout portant (2 mètres de distance). Il était dix heures et demie quand les matelots anglais; nous rapportèrent le corps. Nous pûmes partir cette nuit vers -minuit et .nous rentrâmes à Boulogne ce matin, à sept heures. ; Je viens déclarer que ces -incidents m?-lh e d' reux sont dus à la brutalité anglaise. Quand l’homme fut tué par ce dernier coup de feu, nous étions dans les eaux neutres et,, par nos manœuvres, nous voulions éviter d’être atteints par les balles, puisque le vapeur, pouvait nous arrêter sans avoir à tirer s*ir nous. Je viens déclarer que mes hommes qt moi ne sommes que de malheureux çèçes de famille cherchant à gagner le .pain de nos en* fants et qu’une condamnation aussi injuste que sévère nous plonge dans .une profonde misère. Encore une fois, je dédare que.lç yppçuÇ, anglais -pouvait nous prendre absolument comme il l’aurait voulu sans occasionne» cette mort d’homme. Je déclare que ce rapport «sfr l'exacte,’ en^ftfimafriTO-felliàteiTcigatoiEésuhideyànt 'TOUS ce matin. ; S DE LION Le draine fie la Tué Mafcard, que nous avons annonce avant-hier, est aujourd'hui éclairci, AtJes .détails en sont.plus.horribles. çju’,on ne pouvait l’imaginer. Il ne s’agit plus d’un simple drame de fûmille, mais d’un triple assassinat commis ; par un jeune homme de vingt et un ans, nommé Baron. Les cadavres sont ceux de :"l° la femme 'Heynaud, née; Juveneton, .âgéede trentecina ans, veuve depuis trois ans, -d’un. •employé de la,Compagnie 'P.-L.-M. â Valence; 2° sa sœur Anaïs Juveneton, âgée de quarante ans ; 3° son fils -Paul-Emile Reynaud, âgé de douze ans. Le procès-verbal d’autopsie du' docteur' Boyer .conclut ainsi r « La femme Reynaud .eit son fils ont été étranglés | l’aide d’un cordon de soulier .en cuir. /Aucune '-autre■hlessure apparente. Quant à Anais Juven'eton, on avait relevé seize coups de couteau à la .poitrine-«t -dans la région abdominale;.*!. ; La fille naturelle dIAnaïs Juveneton, arrivée avant-hier matin à Lyon, a fait.au commissaire ide police le récit suivant : ■ •La semaine dernière nous sommes venus, «habiter Lyon venant de ‘Valence où mon ô'nçlé ' est mort il.y a trois.ans, maman, ma tante et xnes:'deux' cousins. Nous sommes venus habiter Tue'Mazard. Le lendemain, ma tante Rey-' naud ést. retournée à Valence et a ramerié mon « cousin *, Baron qui* le soir, coucha chez' npus avec .mon cousin. Paul. Maman et ma : tante se couchèrent dans-l'alcôve, mon cousin'.. /Gaston et moi dans la même pièce. Dans la' nuit, j’entendis des bruits :sahs bien'me Ten-; .-dre compte toutefois de ce qui les provoquait; •je me 1 rendormis, maïs, un peu jilus tard, je ; fus réveillée avec mon cousin par'Baron quij nous fit venir et nous emmena 'eri nous disant ' que -maman et ma tante allaient profiter de notre absence -pou* mettre en place les meubles et les lits.. iNous suivîmes -Baron, qui nous emmena d’abord au parc,'nous promena à travers la vilia un peu partout, puis nous fît prendre un train. .Quelques heures après, nous descendions dans «ne grande gare, qu’il -nous dit être Marseille. «Puis il nous fit visiter différentes villes que je 4 croîs être Grenoble,. Romans, Bourg-de-Péage, Montél-imar et Vienne. Ce matin, à la première .heure, il nous conduisit à la gare et nous mit. dans un wagon, sans billet,, à destination de Lyon. • Dans l’après-midi, Mi "Baron, directeur d’une "école publique à Valence et père du jeune homme désigné plus haut par la petite fille, vint trouver le commissaire, à qui il -expliqua qu’ayant lu dans les journaux le récit du drame, il avait -craint-quele .coupable ne fûtxon Jils,AIphée Baron, âgé de vingt et un ans, instituteur adjoint à Alixan ,(-Drôme),. :S.on fils, contrairement à ses habitudes, n’,était pas veau .passer ses vacances à la. maison paternelle. 11 fit des recherches un. peu partout et .apprit la semaine dernière que le jeune .Baron s’était réfugié à Lyon en compagnie de la femme Reynaud avec laquelle il entretenait des relations depuis longtemps. Désespéré de l'in conduite de non £ls*M. Baron vint un jour à Lyon et fit june démarche; à Ja préfecture pour faire les recherches possibles. Il ajouta que c’é-taüt au lendemain d’une visite de Mme Heynaud que son fils avait pris la fuite ' avec elle et qu’il avait acquis la certitude qu’ils vivaient à Lyon. ,On attribue ce «triple crime â use double cause t accès -de jalousie -de ia femme Reynaud au sujet die sa sœur dont Baron était amoureux et dépit -de Baron qui. -ne pouvait arriver à ses ..fias; 'd'autre •part, la jeune Marguerite," de nouveau questionnée, ja fait des réponses telles que d’on peut croire que Baron a commis, outre les assassinats, les actes les plus odieux. L’enfant, il faut le dire, semble foncièrement vicieuse. Elle se défend avec -énergie d’avoir assisté à la scène de carnage.
5666175_1
courtlistener
Public Domain
Opinion ASHMANN-GERST, J. The primary question presented is whether a secured lender may foreclose on funds held by a payroll processing company and thereby defeat subsequent claims to those funds asserted by unsecured creditor employers who contend that the funds should have been used to meet the payroll processing company’s payroll obligations. The answer is yes when, as here, the funds paid by the unsecured creditor employers were not held in trust. Thus, the trial court properly denied the summary adjudication motion filed by the appellants1 (collectively the film clients) as to whether *373GoldenTree Asset Management, LP, and GTAM Special Realty, LLC (collectively GoldenTree), had a duty to refrain from foreclosing on funds held by Axium International, Inc., and its wholly owned subsidiaries (collectively Axium), and the trial court properly granted summary judgment in favor of GoldenTree with respect to the film clients’ causes of action for unjust enrichment and conversion. Consequently, the film clients’ attack on these rulings does not survive appellate scrutiny. As a separate matter, the film clients argue that their fraud cause of action against GoldenTree should have survived demurrer. Due to deficiencies in the pleading, which we elucidate below, this argument lacks merit. We affirm the judgment. FACTS In 2007 and early 2008, the film clients (except for Hostage and Simon Cinema Ltd.) used Axium to provide payroll processing, staffing and other services with respect to specified film projects. The parties signed written service agreements which provided that Axium would serve as the joint employer of the cast and crew for each film; the film clients would provide all relevant payroll details to Axium; Axium would calculate, inter alia, wages and withholdings; Axium would invoice the film clients for the amounts due; and once the film clients transferred the invoiced amounts, Axium would issue payroll checks to cast and crew and pay withholdings to the appropriate entities. Pursuant to. an oral agreement, Hostage hired Axium to process residuals for a film that had been previously produced. Sordid paid Axium a $500,000 security deposit. Axium defaulted on a loan to GoldenTree. GoldenTree had a perfected security interest in Axium’s general deposit accounts and foreclosed on them, resulting in a transfer of $28 million. The film clients sued GoldenTree to recover the funds they had paid to Axium. Following several rounds of pleading, the film clients filed their second amended complaint and alleged causes of action for fraudulent concealment, fraud, breach of fiduciary duty, unjust enrichment, conversion and violation of Business and Professions Code section 17200 et seq. According to the general allegations, when Axium defaulted on its loan, GoldenTree decided to improve its financial position by forcing Axium to *374aggressively invoice and collect money from the film clients. Those invoices amounted to affirmative misrepresentations by GoldenTree and Axium that the funds would be used for no other purpose but paying wages, residuals and withholdings. Only after the film clients paid the invoices did GoldenTree initiate foreclosure and seize the funds. GoldenTree demurred to the second amended complaint. The demurrer was overruled as to conversion and unjust enrichment but sustained without leave to amend as to the remaining claims. The film clients moved for summary adjudication as to whether GoldenTree had a duty to refrain from seizing the funds. The same day, GoldenTree moved for summary judgment or adjudication. The trial court denied the film clients’ motion and, concurrently, granted GoldenTree’s motion. Judgment was entered in favor of GoldenTree. This timely appeal followed. STANDARD OF REVIEW If an appeal challenges an order “sustaining a demurrer without leave to amend, the standard of review is well settled. The reviewing court gives the complaint a reasonable interpretation, and treats the demurrer as admitting all material facts properly pleaded. [Citations.] The court does not, however, assume the truth of contentions, deductions or conclusions of law. [Citation.] The judgment must be affirmed ‘if any one of the several grounds of demurrer is well taken. [Citations.]’ [Citation.] However, it is error for a trial court to sustain a demurrer when the plaintiff has stated a cause of action under any possible legal theory. [Citation.] And it is an abuse of discretion to sustain a demurrer without leave to amend if the plaintiff shows there is a reasonable possibility any defect identified by the defendant can be cured by amendment. [Citation.]” (Aubry v. Tri-City Hospital Dist. (1992) 2 Cal.4th 962, 966-967 [9 Cal.Rptr.2d 92, 831 P.2d 317].) The legal sufficiency of the complaint is reviewed de novo. (Montclair Parkowners Assn. v. City of Montclair (1999) 76 Cal.App.4th 784, 790 [90 Cal.Rptr.2d 598].) Summary judgment and summary adjudication motions pursuant to Code of Civil Procedure section 437c are also reviewed de novo. (Wiener v. Southcoast Childcare Centers, Inc. (2004) 32 Cal.4th 1138, 1142 [12 Cal.Rptr.3d 615, 88 P.3d 517]; Aguilar v. Atlantic Richfield Co. (2001) 25 Cal.4th 826, 843-857 [107 Cal.Rptr.2d 841, 24 P.3d 493].) “[W]e apply the same three-step analysis used by the superior court. We identify the issues framed by the pleadings, determine whether the moving party has negated the opponent’s claims, and determine whether the opposition has demonstrated the existence of a triable, material factual issue.” (Silva v. Lucky Stores, Inc. (1998) 65 Cal.App.4th 256, 261 [76 Cal.Rptr.2d 382].) *375DISCUSSION I. Fraud. In dismissing the fraud cause of action, the trial court concluded that the film clients failed to sufficiently allege a misrepresentation by GoldenTree. The film clients assign error to this ruling because they alleged that “[GoldenTree] made numerous affirmative misrepresentations of material facts” by communicating “through employees of Axium.” More specifically, the film clients point to their allegation that “[GoldenTree] caused Axium to continue sending invoices and billing statements” to the film clients and “[e]ach such invoice or billing statement that [GoldenTree] encouraged or caused Axium to send to each” of the film clients “constituted an affirmative representation by [GoldenTree] and Axium that the money requested to be transferred to Axium would be . . . used by Axium . . . only for the purpose of paying wages and compensation to” the film clients’ “employees and for paying associated federal and state taxes, benefit plan contributions, and residuals required by collective bargaining agreements.” In our view, the film clients failed to make a case for reversal. To allege fraud based on misrepresentation, a plaintiff must allege a misrepresentation, knowledge of its falsity, intent to defraud, justifiable reliance and resulting damages. (Roberts v. Ball, Hunt, Hart, Brown & Baerwitz (1976) 57 Cal.App.3d 104, 109 [128 Cal.Rptr. 901].) “The representation must ordinarily be an affirmation of fact. [Citations.]” (5 Witkin, Summary of Cal. Law (10th ed. 2005) Torts, § 773, p. 1122.) Sometimes it can be a misrepresentation of law or a false promise that contains an implied misrepresentation of intention to perform the promise. (Id., §§ 774-782, pp. 1123-1134.) And it is true, as the film clients point out, that a misrepresentation can be made through a conduit. (Committee on Children’s Television, Inc. v. General Foods Corp. (1983) 35 Cal.3d 197, 219 [197 Cal.Rptr. 783, 673 P.2d 660].) But, simply put, the film clients did not allege an actionable misrepresentation of fact or intention to perform because they did not allege that Axium’s invoices expressly stated or promised how the film clients’ funds would be used. When it is boiled down, they have essentially alleged a claim based on an implied false promise. To our knowledge, however, no such tort has been recognized by California law. II. Duty, unjust enrichment and conversion. According to the film clients, there are triable issues as to duty, unjust enrichment and conversion because the evidence demonstrates that the funds were held in express or resulting trust, they retained an interest in the funds, and GoldenTree was therefore not entitled to take them. The film clients *376contend that an express or resulting trust can be established by the written service agreements, Axium’s receipt of the funds as a paying agent, and the course of dealing. We disagree. The film clients failed to establish rights superior to the rights of a secured lender. A. Contract interpretation (part 1). Pursuant to the parol evidence rule, extrinsic evidence cannot be used to contradict or supplement an agreement if it is intended to be a final expression of that agreement and a complete and exclusive statement of the terms. But extrinsic evidence is admissible to explain or interpret ambiguous language. (Code Civ. Proc., § 1856, subds. (b) & (g).) Whether the parol evidence rule applies “depends upon whether there was an ‘integration’ [citation] or ‘a complete expression of the agreement of the parties . . .’ [citations]. [][] Generally, finality may be determined from the writing itself. If on its face the writing purports to be a complete and final expression of the agreement, parol evidence is excluded. [Citations.]” (Pollyana Homes, Inc. v. Berney (1961) 56 Cal.2d 676, 679-680 [16 Cal.Rptr. 345, 365 P.2d 401] (Pollyana Homes).) Each service agreement provides: “This Agreement sets forth the entire agreement of the parties, and supersedes all prior and contemporaneous agreements, understandings, covenants and conditions relating to the subject matter hereof. This Agreement may not be changed, amended, modified, or supplemented, except by a writing signed by both [Axium]” and the film clients. Based on Pollyana Homes, supra, 56 Cal.2d 676, we conclude that the foregoing integration clause establishes that the written service agreements are complete and final expressions of the parties’ terms. Parol evidence, then, can only be used for purposes of interpretation. B. Contract interpretation (part 2). The film clients contend that the written service agreements required Axium to use funds paid on invoices solely for payroll processing.2 GoldenTree contends that Axium’s use of the funds was unlimited. When parties dispute the meaning of contractual language, the trial court must provisionally receive extrinsic evidence offered by the parties and determine whether it reveals an ambiguity, i.e., the language is reasonably susceptible to more than one possible meaning. If there is an ambiguity, the extrinsic evidence is admitted to aid the interpretative process. “When there is *377no material conflict in the extrinsic evidence, the trial court interprets the contract as a matter of law. [Citations.] ... If, however, there is a conflict in the extrinsic evidence, the factual conflict is to be resolved by the jury. [Citations.]” (Wolf v. Walt Disney Pictures & Television (2008) 162 Cal.App.4th 1107, 1126-1127 [76 Cal.Rptr.3d 585], fn. omitted.) The film clients maintain that they offered the following extrinsic evidence: numerous examples of timecards, invoices and payments; the deposition testimony of the individuals who entered into the service agreements confirming their understanding that Axium was required to use the funds for payments designated by the invoices; and the deposition testimony of Jeff Begun, a salesman for Axium who stated that he understood that the film clients believed and expected that the funds would be used to make payments designated by the invoices. Based on this evidence, the film clients argue that “Axium’s obligation to use the funds [the film clients] provided in payment of an invoice to make the payments designated and quantified in that invoice, if not explicit, is certainly implied by the process described [in the service agreements]. At the very least, the [service agreements] are reasonably susceptible to the interpretation that such an obligation existed.” Underlying this argument is an insurmountable problem. The film clients make no attempt to dissect specific language of the service agreements. In other words, they do not quote a particular section, paragraph, sentence, phrase or word and tell us whether it is ambiguous. After reviewing the written service agreements on our own, we conclude that they do not impose any express limits on Axium’s use of the funds. Moreover, the contractual language is not reasonably susceptible to the film clients’ interpretation. Regarding the contention that the written service agreements implied a restriction, the law offers no aid. *378C. Agency. The film clients contend that Axium was their paying agent with respect to the funds.3 But the service agreements provide in relevant part: “Nothing contained herein shall constitute a partnership between, nor joint venture by, the parties hereto or make either party an agent of the other.” To overcome this obstacle, the film clients contend: “Undoubtedly, the parties disclaimed any intent to form a . . . general agency relationship under the Service Agreements. But Axium did not act as [the film clients’] general agent; it acted as a special agent [citation] making specific designated payments for [the film clients] and, accordingly, [the service agreements are] reasonably susceptible to the interpretation advanced by [the film clients] that Axium was their paying agent.” The infirmity with this argument is threefold. First, the service agreements disclaim an agency as opposed to general agency. Second, the film clients offered no extrinsic evidence or analysis regarding ambiguity or the meaning of the language. Third, the language is not reasonably susceptible to the interpretation that Axium was the film clients’ special agent. Even if the service agreements did not initially create an agency relationship, the film clients argue that the service agreements were modified by conduct. They rely on Employers Reinsurance Co. v. Superior Court (2008) 161 Cal.App.4th 906 [74 Cal.Rptr.3d 733] (Employers Reinsurance). The film clients’ reliance is misplaced. Employers Reinsurance stated that a course of performance can be used to interpret an insurance contract and made a passing reference to California Uniform Commercial Code section 1303, subdivision (f). (Employers Reinsurance, supra, at pp. 920-921.) That statute provides: “Subject to Section 2209, a course of performance is relevant to show a waiver or modification of any term inconsistent with the course of performance.” (Cal. U. Com. Code, § 1303, subd. (f).) According to California Uniform Commercial Code section 2209, subdivision (2), “[a] signed agreement which excludes modification or rescission except by a signed writing cannot be otherwise modified or rescinded . . . .” Employers Reinsurance did not apply California Uniform Commercial Code section 1303, subdivision (f) or section 2209, subdivision (2). Here, assuming that the California Uniform Commercial Code applies, that latter statute is triggered because the service agreements could only be modified in writing.4 Conduct, therefore, does not factor into our analysis. *379In their reply brief, the film clients tacitly suggest that the parol evidence rule does not apply to disclaimers of agency. They cite Wolf v. Superior Court (2003) 107 Cal.App.4th 25 [130 Cal.Rptr.2d 860] (Wolf) and City of Hope National Medical Center v. Genentech, Inc. (2008) 43 Cal.4th 375 [75 Cal.Rptr.3d 333, 181 P.3d 142] (City of Hope). In each case, the court held that no fiduciary duty existed. In doing so, they reviewed allegations (Wolf) and evidence (City of Hope) rather than relying on contractual disclaimers which, while broad, did not expressly disclaim the existence of a fiduciary duty. Based on these cases, the film clients suggest that we must ignore the disclaimer of agency and examine the extrinsic evidence. But neither case discussed the parol evidence rule or, for that matter, the California Uniform Commercial Code. A decision is not authority for a proposition not considered. (Amwest Surety Ins. Co. v. Wilson (1995) 11 Cal.4th 1243, 1268 [48 Cal.Rptr.2d 12, 906 P.2d 1112].) D. Express trust. 1. The applicable law. The Probate Code provides that an express trust can be created by a transfer of property by the owner to another person as trustee. (Prob. Code, § 15200, subd. (b); 13 Witkin, Summary of Cal. Law (10th ed. 2005) Trusts, § 25, p. 596.) But only if “the settlor properly manifests an intention to create a trust.” (Prob. Code, § 15201.) California trust law is essentially derived from the Restatement Second of Trusts. Over a number of years, the Restatement Second of Trusts has been superseded by the Restatement Third of Trusts. (13 Witkin, Summary of Cal. Law, supra, Trusts, §§ 12, 17, pp. 579-580, 583-585.) As a result, we may look to the Restatement Third of Trusts for guidance. “When one person transfers funds to another, it depends on the manifested intention of the parties whether the relationship created is that of trust or debt. If the intention is that the money shall be kept or used as a separate fund for the benefit of the payor or one or more third persons, a trust is created. If it is intended, however, that the person receiving the money shall have the unrestricted use of it, being liable to pay a similar amount to the payor or a third person, whether with or without interest, a debt is created, [f] The intention of the parties is ascertained by considering their words and conduct in light of all the terms and circumstances of the transaction.” (Rest.3d Trusts, § 5, com. k, p. 60); see also Abrams v. Crocker-Citizens Nat. Bank (1974) 41 Cal.App.3d 55, 59 [114 Cal.Rptr. 913] [citing the same text in the Rest.2d Trusts and noting that “[tjhe view expressed in the Restatement has been generally adopted in California”].) In general, a settlor may manifest the intention to create a trust by written or spoken words, or by conduct. *380(Rest.3d Trusts, § 13, com. b, p. 207.) The settlor is not required to use the words “trust” or “trustee.” (Ibid.) In interpreting the settlor’s words and conduct, the circumstances surrounding the transfer may be considered unless they are excluded by the parol evidence rule. (Ibid.) 2. Nature of the relationship with Axium (excluding Hostage). The service agreements are not ambiguous, which means that extrinsic evidence cannot be considered to explain the terms. Thus, we are left with service agreements that imposed no limits on Axium’s use of funds, but which also did not affirmatively state that the funds belong solely to Axium. In our view, the service agreements therefore do not establish the existence of express trusts for the simple reason that the payroll parties did not properly manifest intention. Our holding is consistent with the rule recognized by federal case law. (In re Black & Geddes, Inc. (Bankr. S.D.N.Y. 1984) 35 B.R. 830, 836 [“It is a firmly established principle that if a recipient of funds is not prohibited from using them as his own and commingling them with his own monies, a debtor-creditor, not a trust, relationship exists”].) In the absence of a tmst, Axium and the film clients had no more than a debtor-creditor relationship. In arguing that there are triable issues, the film clients advert to the following rales in the Restatement Third of Tmsts. “It is immaterial whether or not the settlor knows that the intended relationship is called a tmst, and whether or not the settlor knows the precise characteristics of a tmst relationship. [][] The manifestation of intention requires an external expression of intention as distinguished from undisclosed intention. [Citation.] There may, however, be a sufficient manifestation of the intention to create a trust without communication of that intention to the beneficiary or to the trastee or any third person. [Citations.] [f] On the other hand, no tmst is created unless the settlor manifests an intention to impose enforceable duties.” (Rest.3d Trusts, § 13, com. a, p. 207; see Marsh v. Home Fed. Sav. & Loan Assn. (1977) 66 Cal.App.3d 674, 681-682 [136 Cal.Rptr. 180] (Marsh) [“ ' “[A]n express tmst may arise even though the parties in their own minds did not intend to create a trust. As in the case of the making of a contract, so in the case of a tmst, an objective rather than a subjective test is applied. It is the manifestation of intention which controls and not the actual intention where that differs from the manifestation of intention.” ’ ”].)5 Inferably, the film clients suggest that even if they did not intend to create an express tmst, they did so unintentionally. But they mn into the same wall as before. They *381did not properly manifest intention to create an express trust and the parol evidence rule bars extrinsic evidence from showing otherwise. We now turn to a case cited by the film clients, Chang v. Redding Bank of Commerce (1994) 29 Cal.App.4th 673 [35 Cal.Rptr.2d 64] (Chang). There, a property owner (Chang) hired a general contractor named Paragon to construct a hotel. The contract provided “that ‘[Paragon] shall promptly pay each Subcontractor, upon receipt of payment from [Chang], out of the amount paid to [Paragon] on account of such Subcontractor’s Work, the amount to which said Subcontractor is entitled ....’” (Chang, supra, at p. 678.) Chang made the required payments and Paragon deposited the money into its business checking account. It then issued checks to the subcontractors. The bank recorded the checks tendered by the subcontractors as paid, then reversed the transactions and seized the money as a setoff because Paragon had defaulted on a loan. Chang sued the bank for unjust enrichment and to impose a constructive trust. The bank obtained summary judgment, and the Court of Appeal reversed. It concluded “that progress payments received by a general contractor pursuant to a contract which requires that they be paid to subcontractors are held by the contractor in trust for the benefit of the subcontractors. A bank that has knowledge sufficient to require inquiry whether funds deposited by a general contractor to its account with the bank are trust funds cannot, as against the subcontractors, set off the funds to pay an indebtedness owed the bank by the general contractor.” (Ibid.) Any attempt by the film clients to analogize to Chang cannot succeed. Simply put, Chang is distinguishable because the service agreements did not state that Axium was specifically required to pay the employees out of the amounts paid to Axium by the film clients. In re Golden Triangle Capital, Inc. (Bankr. 9th Cir. 1994) 171 B.R. 79 (Golden Triangle) and Marsh, supra, 66 Cal.App.3d 674, are also distinguishable. In Golden Triangle, a $95,000 check was made payable to Brandt, the principal of a lender called Golden Mortgage Fund #14 (Fund #14). Fund #14 agreed to loan $95,000 to a company called Camino Del Norte Partners II (Camino). Camino’s principal was Findley. The parties contemplated that a loan servicing agent (GTC) would receive the funds from Fund #14 and transfer them to Camino. According to Fund #14, the front of the $95,000 check to Brandt stated “ ‘RE: FINDLEY.’ ” Brandt endorsed the back of the check restrictively and wrote, “ ‘Pay to GTC/Findley.’ ” (Golden Triangle, supra, 171 B.R. at p. 80.) The check was given to GTC, which deposited the check. Before GTC could transfer the funds to Camino, California’s Department of Real Estate and the FBI seized the funds and turned them over to GTC’s court-appointed receiver. After GTC went into bankruptcy, Fund #14 filed a complaint for declaratory relief in the bankruptcy court to determine *382entitlement to the $95,000. In turn, the chapter 7 trustee filed a motion for summary judgment and prevailed. On appeal, the ruling was reversed. (Id. at p. 81.) The reviewing court concluded that the parties intended to create an express trust, and that GTC was “intended to be a mere conduit for the funds.” (Id. at p. 83.) According to the Bankruptcy Appellate Panel of the Ninth Circuit, “The [endorsement by [the lender’s president] on the cashier’s check, ‘Pay to GTCZFindley’ supports this intent.” (Ibid.) At issue in Marsh was whether funds held by a lender in property tax impound accounts were held in express trust. The court answered that question in the affirmative. It stated: “The manifested intent expressed by the [loan] document language ‘held by the Beneficiary in trust in the general funds without interest,’ (italics added), leads to the conclusion the parties intended the money ‘shall be kept or used as a separate fund for the benefit of the payor or a third person’ [citation]. [Citation.] [The lender] clearly considered the impounds as something other than an ordinary debt where it reported the funds in a separate account and even on the briefest of financial statements separated the impounds from other debts. In their execution of these documents and then making the impound payments under these provisions the borrower-trustors manifested their intent to create a trust complete with subject, purpose and beneficiary [citation]. 3. Sordid’s security deposit. According to Sordid, there is a triable issue as to whether the $500,000 security deposit it paid to Axium was held in trust. This claim lacks traction. *383With regard to security deposits, the Restatement Third of Trusts, section 5, comment k, page 63, states: “Where a person deposits money with another as security for the faithful performance of obligations owed to the other, it depends on the manifestation of intention of the parties whether the person holding the money is a debtor or is a trustee with a security interest in the money. If it is understood that the money is to be kept for the depositor and returned when the depositor has performed the obligations, the money is held in trust. If the understanding is that the money may be used as the holder’s own, with the amount of it to be paid to the depositor when the latter’s obligations have been performed, the relationship is one of debt.” The question, in our view, is whether Sordid manifested intention to create a trust. That intention, however, as we previously discussed, must be set forth in the service agreement because any other evidence of intention is barred by the parol evidence rule. The project schedule attached to the service agreement executed between Axium and Sordid provided in relevant part: “To secure [Sordid’s] performance under this Agreement, [it] shall provide [Axium] with the sum of payroll and expenses for two (2) weeks of principal photography. Such deposit shall be paid prior to the processing of any payroll information, and if [Sordid] fails to provide the required sum, [Axium] shall have no obligation to provide any services whatsoever. Such deposit is not an advance payment, and [Sordid] must still make payment in accordance with the terms of this Agreement.” The parties did not use the term “trust” or “trustee.” They did not place any limits on Axium’s use of the security deposit, nor did they agree that the security deposit had to ever be returned. Sordid is silent as to whether the contractual language is ambiguous and reasonably susceptible to their interpretation. Rather, it relies on People v. Pierce (1952) 110 Cal.App.2d 598, 605 [243 P.2d 585] (Pierce), a case which quoted a treatise as follows: “ ‘Contractual relations are creative of trusts in infinitely varying circumstances ... a “trust” exists where property or funds are placed by one person in the custody of another,—e.g., a deposit of money to be retained. Sordid makes reference to the deposition testimony of the representative who signed Sordid’s service agreement. We are told that this representative understood that the security deposit would be returned when performance was complete. We are also told that the trial court sustained an objection to this testimony. Sordid assigns error to this ruling. But it did not analyze the relevant law, nor did it explain how the purported error resulted in prejudice. Notably, the representative’s unilateral understanding was not admissible to prove the meaning of the service agreement because the service agreement was not ambiguous. Based on the evidence and law, we conclude that the security deposit created a debt rather than a trust.6 Despite the foregoing, Sordid states, “[GoldenTree] presented no evidence regarding [Sordid’s] claim for recovery of its security deposit . . . and, therefore, failed to meet its burden.” No analysis of the moving papers is offered. Rather, we are cited to GoldenTree’s separate statement and 1,361 pages of appellant’s appendix. Tacitly, we are invited to comb through the record in search of error. We decline. “As a general rule, ‘The reviewing court is not required to make an independent, unassisted study of the record in search of error or grounds to support the judgment.’ [Citations.] It is the duty of counsel to refer the reviewing court to the portion of the record which supports appellant’s contentions on appeal. [Citation.] If no citation ‘is furnished on a particular point, the court may treat it as waived.’ [Citation.]” (Guthrey v. State of California (1998) 63 Cal.App.4th 1108, 1115 [75 Cal.Rptr.2d 27].) *3854. Hostage. Hostage did not enter into a written agreement with Axium. Nonetheless, Hostage used Axium’s services. In the absence of a written agreement, the parol evidence rule does not apply. (Casa Herrera, Inc. v. Beydoun (2004) 32 Cal.4th 336, 343 [9 Cal.Rptr.3d 97, 83 P.3d 497].) Consequently, to determine whether Hostage properly manifested intention to create an express trust, we can consider the words and conduct of the parties as permitted by the Restatement Third of Trusts, section 5, comment k, page 60. In its summary judgment papers, GoldenTree cited the deposition testimony of a Hostage executive named Dennis Brown (Brown). He testified that Hostage entered into an oral agreement with Axium to perform payroll services. Brown intended and understood that the terms and conditions were the same as those in the service agreements for the other film clients. Hostage tells us that the trial court “relied on this evidence to treat Hostage as if it also had signed a [s]ervice [ajgreement.” But according to Hostage, “[t]he evidence regarding the agreement may [also] include the deposition testimony of [Brown], [and] . . . [Brown’s] declaration and the invoices provided to Hostage by Axium.” Hostage then states: “The evidence clearly shows that Hostage provided funds to Axium in payment of an invoice that set forth in great detail each and every payment that would be made with the funds.” Based on this, Hostage argues that it “had the right to assume that Axium would use [the] funds to make the payments listed on that invoice, and Hostage’s representative testified that Hostage understood that the funds would be used solely for that purpose.” Upon scrutiny, the referred evidence fails to achieve its purported effect. The invoice does not state that the funds to be paid will be received in trust or segregated. Nor does the invoice state that residuals will be paid out of the specific funds paid by Hostage. Rather, the invoice merely provides an accounting of payments, taxes, fees and benefit contributions. It must also be mentioned that the invoice was generated by Axium, not Hostage, and therefore could not be an objective and external manifestation of Hostage’s intention to create a trust. In his declaration, Brown stated that “it was always the case . . . that the funds [Hostage] provided to Axium were provided specifically to pay the invoices that Axium had issued and to fund the specific payments listed in those invoices, and for no other purpose, [f] It was never the intent of [Lonely Maiden Productions, LLC, NBTT Productions, LLC, RMC Productions LLC, Accidental Husband Intermediary, Inc., Sophomore Distribution, LLC or Hostage] that the funds [they] provided to Axium could be used for any purpose other than as stated in the invoices, and no one from *386Axium ever indicated in any way that they believed that Axium had free use of our money.” GoldenTree objected to these statements on the grounds that they contradicted Brown’s deposition testimony, they violated the parol evidence and best evidence rules, and they were irrelevant and otherwise inadmissible as hearsay and improper opinion. The trial court sustained each objection. In the opening brief, Hostage ignored the trial court’s ruling. In other words, Hostage did not argue and establish that the trial court erred. As a result, we cannot consider the statements in Brown’s declaration. Even if we did, it would be pointless because Brown failed to offer evidence of an external manifestation of intention. E. Resulting trust. “A resulting trust arises when a person (the ‘transferor’) makes or causes to be made a disposition of property under circumstances (i) in which some or all of the transferor’s beneficial interest is not effectively transferred to others (and yet not expressly retained by the transferor) and (ii) which raise an unrebutted presumption that the transferor does not intend the one who receives the property (the ‘transferee’) to have the remaining beneficial interest. [][] Because the transferee under such a disposition is not entitled to the beneficial interest in question and because that beneficial interest is not otherwise disposed of, it remains in and thus is said ‘to result’ (that is, it reverts) to the transferor or to the transferor’s estate or other successor(s) in interest. The transferee is said to hold the property, in whole or in part, upon a resulting trust for the transferor (the ‘beneficiary’ of the resulting trust) or for the transferor’s successors in interest (the ‘beneficiaries’). Therefore, the beneficial interest that is held on resulting trust is simply an equitable reversionary interest implied by law, with the ‘resulting trust’ terminology ordinarily being applied if and when the reversionary interest materializes as a present interest.” (Rest.3d Trusts, § 7, com. a, p. 86; see Lloyds Bank California v. Wells Fargo Bank (1986) 187 Cal.App.3d 1038, 1042 [232 Cal.Rptr. 339] [“A resulting trust arises by operation of law from a transfer of property under circumstances showing that the transferee was not intended to take the beneficial interest.”].) “Resulting trusts usually. arise in express-trust situations in which an owner of property transfers its full legal title to a trustee but fails to make full, effective disposition of the beneficial—that is, equitable—interests in the property.” (Rest.3d Trusts, § 7, com. b, p. 88).) “Sometimes a transfer of property is made to one person and the purchase price is paid by another, and no express trust is declared and no other agreement is made to allocate the beneficial rights in the property. Often the presumption in these cases is that the transferee is intended to take no beneficial interest and therefore holds the property on resulting trust for the person who paid the purchase price.” (Rest.3d Trusts, § 7, com. c, p. 89.) *387In their opening brief, the film clients contend: “All of the facts necessary for. DISPOSITION The judgment is affirmed. GoldenTree is entitled to its costs on appeal. Doi Todd, Acting P. J., and Chavez, J., concurred. The appellants are Lonely Maiden Productions, LLC; NBTT Productions, LLC; RMC Productions LLC; Accidental Husband Intermediary, Inc.; Sophomore Distribution, LLC; Hostage Productions LLC; Hostage Funding LLC; Sordid Productions, LLC; and Simon Cinema Ltd. In keeping with the usage in the parties’ briefs, separate references to “Hostage” refer to both Hostage Productions LLC and Hostage Funding LLC. Similarly, a reference to *373“Sordid” identifies Sordid Productions, LLC, and Simon Cinema Ltd. According to the opening brief, Simon Cinema Ltd. is the parent company of Sordid Productions, LLC. The film clients posit that a contractual limitation on the use of the funds means that they were held in trust. The law provides that in the absence of special circumstances, money received by one in the capacity of agent are not his, and the law implies a promise to pay them to the principal upon demand. (Advanced Delivery Service, Inc. v. Gates (1986) 183 Cal.App.3d 967, 975 [228 Cal.Rptr. 557].) Based on this rule, the film clients maintain that they, not Axium, retained beneficial interest in the funds. Though Hostage did not execute a written service agreement, it did not offer an independent agency analysis. In the absence of argument from Hostage, we need not reach the issue. The film clients quote In re Interborough Consol. Corp. (2d Cir. 1923) 288 Fed. 334, 347 as observing, “Every person who receives money to be paid to another, or to be applied to a particular purpose, to which he does not apply it, is a trustee . . . .” This adds nothing new to the discussion. Sordid cites Action Apartment Assn. v. Santa Monica Rent Control Bd. (2001) 94 Cal.App.4th 587, 599 [114 Cal.Rptr.2d 412], for the proposition that a security deposit given by a tenant remains the property of the tenant even though it is held by the landlord. This citation does not change our analysis.
US-89636410-A_3
USPTO
Public Domain
4. The endoscopic stitching device according to claim 1, wherein the knuckles and clevises are configured to at least partially overlap one another when the neck assembly is in one of the substantially linear configuration and the off-axis configuration. 5. The endoscopic stitching device according to claim 1, wherein only one end of the at least one stiffener plate is securely attached to the neck assembly. 6. An endoscopic stitching device, comprising: a handle assembly; an elongate shaft supported by and extending from the handle assembly; an end effector supported on a distal end of the elongate shaft, the end effector including a neck assembly configured and adapted for articulation in one direction between a substantially linear configuration and an off-axis configuration, and a pair of juxtaposed jaws pivotally associated with one another; and a stiffener plate disposed in the neck assembly and axially extending therein, wherein the stiffener plate inhibits canting of the end effector in a direction orthogonal to a direction of articulation of the end effector. 7. The endoscopic stitching device according to claim 6, wherein the stiffener plate defines a plane that is substantially orthogonal to a direction of articulation of the end effector. 8. The endoscopic stitching device according to claim 7, wherein the stiffener plate is substantially flat and is bendable in a single. 9. The endoscopic stitching device according to claim 7, wherein the stiffener plate is translatably disposed in the neck assembly. 10. The endoscopic stitching device according to claim 9, wherein the end effector is articulatable in a direction out of a plane defined by the stiffener plate. 11. The endoscopic stitching device according to claim 10, wherein the stiffener plate restricts planar articulation of the end effector with respect to a plane defined by the stiffener plate. 12. The endoscopic stitching device according to claim 9, wherein one end of the stiffener plate includes an anchor portion secured to the neck assembly. 13. The endoscopic stitching device according to claim 12, wherein the anchor portion is bifurcated and includes at least a pair of spaced apart tines. 14. The endoscopic stitching device according to claim 7, wherein the neck assembly further includes a plurality of links in pivotable contact with one another, wherein each link defines a stiffener plate receiving slot for receiving the stiffener plate therethrough. 15. The endoscopic stitching device according to claim 14, wherein the stiffener plate extends through the receiving slot of at least one of the links. 16. The endoscopic stitching device according to claim 14, wherein the stiffener plate extends through the receiving slot of all of the links. 17. The endoscopic stitching device according to claim 7, wherein the stiffener plate is made of resilient material. 18. An endoscopic stitching device, comprising: a handle assembly; an elongate shaft supported by and extending from the handle assembly; an end effector supported on a distal end of the elongate shaft, the end effector including a neck assembly configured and adapted for articulation in one direction between a substantially linear configuration and an off-axis configuration, and a pair of juxtaposed jaws pivotally associated with one another, and a pair of spaced apart stiffener plates disposed in the neck assembly and axially extending therein, wherein each of the pair of stiffener plates defines a plane. 19. The endoscopic stitching device according to claim 18, wherein the pair of stiffener plates are substantially parallel with one another. 20. The endoscopic stitching device according to claim 19, wherein the plane defined by each of the pair of stiffener plates is substantially orthogonal to a direction of articulation. 21. The endoscopic stitching device according to claim 20, wherein the pair of stiffener plates are substantially flat and being bendable in a single direction. 22. The endoscopic stitching device according to claim 20, wherein the pair of stiffener plates are translatably disposed in the neck assembly. 23. The endoscopic stitching device according to claim 22, wherein the end effector is articulatable in a direction out of the plane defined by the pair of stiffener plates. 24. The endoscopic stitching device according to claim 23, wherein the pair of stiffener plates restrict planar articulation of the end effector with respect to the plane defined by the pair of stiffener plates. 25. The endoscopic stitching device according to claim 20, wherein one end of each of the pair of stiffener plates includes an anchor portion secured to the neck assembly. 26. The endoscopic stitching device according to claim 18, wherein the neck assembly further includes a plurality of links in pivotable contact with one another, wherein each link defines a pair of stiffener plate receiving slots for receiving the stiffener plates therethrough. 27. The endoscopic stitching device according to claim 26, wherein the pair of stiffener plates extend through a slot of at least one of the links. 28. The endoscopic stitching device according to claim 26, wherein the pair of stiffener plates extend through the slots of all of the links. 29. The endoscopic stitching device according to claim 18, wherein the stiffener plate is made of resilient material..
github_open_source_100_1_140
Github OpenSource
Various open source
import * as regex from './regex'; import { inherit } from './utils'; // keywords that should have no default relevance value var COMMON_KEYWORDS = 'of and for in not or if then'.split(' '); // compilation export function compileLanguage(language) { function langRe(value, global) { return new RegExp( regex.source(value), 'm' + (language.case_insensitive ? 'i' : '') + (global ? 'g' : '') ); } function buildModeRegex(mode) { var matchIndexes = {}; var matcherRe; var regexes = []; var matcher = {}; var matchAt = 1; function addRule(rule, re) { matchIndexes[matchAt] = rule; regexes.push([rule, re]); matchAt += regex.countMatchGroups(re) + 1; } mode.contains.forEach(term => addRule(term, term.begin)) if (mode.terminator_end) addRule("end", mode.terminator_end); if (mode.illegal) addRule("illegal", mode.illegal); var terminators = regexes.map(el => el[1]); matcherRe = langRe(regex.join(terminators, '|'), true); matcher.lastIndex = 0; matcher.exec = function(s) { var rule; if( regexes.length === 0) return null; matcherRe.lastIndex = matcher.lastIndex; var match = matcherRe.exec(s); if (!match) { return null; } for(var i = 0; i<match.length; i++) { if (match[i] != undefined && matchIndexes[i]) { rule = matchIndexes[i]; break; } } // illegal or end match if (typeof rule === "string") { match.type = rule; match.extra = [mode.illegal, mode.terminator_end]; } else { match.type = "begin"; match.rule = rule; } return match; }; return matcher; } function compileMode(mode, parent) { if (mode.compiled) return; mode.compiled = true; mode.keywords = mode.keywords || mode.beginKeywords; if (mode.keywords) mode.keywords = compileKeywords(mode.keywords, language.case_insensitive); mode.lexemesRe = langRe(mode.lexemes || /\w+/, true); if (parent) { if (mode.beginKeywords) { mode.begin = '\\b(' + mode.beginKeywords.split(' ').join('|') + ')\\b'; } if (!mode.begin) mode.begin = /\B|\b/; mode.beginRe = langRe(mode.begin); if (mode.endSameAsBegin) mode.end = mode.begin; if (!mode.end && !mode.endsWithParent) mode.end = /\B|\b/; if (mode.end) mode.endRe = langRe(mode.end); mode.terminator_end = regex.source(mode.end) || ''; if (mode.endsWithParent && parent.terminator_end) mode.terminator_end += (mode.end ? '|' : '') + parent.terminator_end; } if (mode.illegal) mode.illegalRe = langRe(mode.illegal); if (mode.relevance == null) mode.relevance = 1; if (!mode.contains) { mode.contains = []; } mode.contains = [].concat(...mode.contains.map(function(c) { return expand_or_clone_mode(c === 'self' ? mode : c); })); mode.contains.forEach(function(c) {compileMode(c, mode);}); if (mode.starts) { compileMode(mode.starts, parent); } mode.terminators = buildModeRegex(mode); } // self is not valid at the top-level if (language.contains && language.contains.includes('self')) { throw new Error("ERR: contains `self` is not supported at the top-level of a language. See documentation.") } compileMode(language); } function dependencyOnParent(mode) { if (!mode) return false; return mode.endsWithParent || dependencyOnParent(mode.starts); } function expand_or_clone_mode(mode) { if (mode.variants && !mode.cached_variants) { mode.cached_variants = mode.variants.map(function(variant) { return inherit(mode, {variants: null}, variant); }); } // EXPAND // if we have variants then essentially "replace" the mode with the variants // this happens in compileMode, where this function is called from if (mode.cached_variants) return mode.cached_variants; // CLONE // if we have dependencies on parents then we need a unique // instance of ourselves, so we can be reused with many // different parents without issue if (dependencyOnParent(mode)) return inherit(mode, { starts: mode.starts ? inherit(mode.starts) : null }); if (Object.isFrozen(mode)) return inherit(mode); // no special dependency issues, just return ourselves return mode; } // keywords function compileKeywords(rawKeywords, case_insensitive) { var compiled_keywords = {}; if (typeof rawKeywords === 'string') { // string splitAndCompile('keyword', rawKeywords); } else { Object.keys(rawKeywords).forEach(function (className) { splitAndCompile(className, rawKeywords[className]); }); } return compiled_keywords; // --- function splitAndCompile(className, str) { if (case_insensitive) { str = str.toLowerCase(); } str.split(' ').forEach(function(keyword) { var pair = keyword.split('|'); compiled_keywords[pair[0]] = [className, scoreForKeyword(pair[0], pair[1])]; }); } } function scoreForKeyword(keyword, providedScore) { // manual scores always win over common keywords // so you can force a score of 1 if you really insist if (providedScore) return Number(providedScore); return commonKeyword(keyword) ? 0 : 1; } function commonKeyword(word) { return COMMON_KEYWORDS.includes(word.toLowerCase()); }
github_open_source_100_1_141
Github OpenSource
Various open source
var searchData= [ ['adaptions_2ecpp_8878',['adaptions.cpp',['../a00113.html',1,'']]], ['adaptive_2ecpp_8879',['adaptive.cpp',['../a00623.html',1,'']]], ['adaptive_2eh_8880',['adaptive.h',['../a00626.html',1,'']]], ['adaptmatch_2ecpp_8881',['adaptmatch.cpp',['../a00629.html',1,'']]], ['alignedblob_2ecpp_8882',['alignedblob.cpp',['../a00986.html',1,'']]], ['alignedblob_2eh_8883',['alignedblob.h',['../a00989.html',1,'']]], ['altorenderer_2ecpp_8884',['altorenderer.cpp',['../a00053.html',1,'']]], ['ambigs_2ecpp_8885',['ambigs.cpp',['../a00470.html',1,'']]], ['ambigs_2eh_8886',['ambigs.h',['../a00473.html',1,'']]], ['ambiguous_5fwords_2ecpp_8887',['ambiguous_words.cpp',['../a01223.html',1,'']]], ['apiexample_5ftest_2ecc_8888',['apiexample_test.cc',['../a01589.html',1,'']]], ['apitypes_2eh_8889',['apitypes.h',['../a00002.html',1,'']]], ['applybox_2ecpp_8890',['applybox.cpp',['../a00116.html',1,'']]], ['applybox_5ftest_2ecc_8891',['applybox_test.cc',['../a01592.html',1,'']]], ['associate_2ecpp_8892',['associate.cpp',['../a01490.html',1,'']]], ['associate_2eh_8893',['associate.h',['../a01493.html',1,'']]] ];
github_open_source_100_1_142
Github OpenSource
Various open source
export default { install(Vue, options){ Vue.directive('aspect-ratio', { inserted: function (el, binding, vnode) { let ratio = Object.keys(binding.modifiers)[0] if (!ratio){ ratio = '1:1' } ratio = ratio.split(':') if (el.clientWidth){ el.style.height = (el.clientWidth*ratio[1]/ratio[0]) + 'px' } else if (el.clientHeight){ el.style.width = (el.clientHeight*ratio[0]/ratio[1]) + 'px' } } }) } }
US-202318207425-A_8
USPTO
Public Domain
Refinancing activity may include initiating an offer to refinance,initiating a request to refinance, configuring a refinancing interestrate, configuring a refinancing payment schedule, configuring arefinancing balance in a response to the amount or terms of therefinanced loan, configuring collateral for a refinancing includingchanges in collateral used, changes in terms and conditions for thecollateral, a change in the amount of collateral and the like, managinguse of proceeds of a refinancing, removing or placing a lien ondifferent items of collateral as appropriate given changes in terms andconditions as part of a refinancing, verifying title for a new orexisting item of collateral to be used to secure the refinanced loan,managing an inspection process title for a new or existing item ofcollateral to be used to secure the refinanced loan, populating anapplication to refinance a loan, negotiating terms and conditions for arefinanced loan and closing a refinancing. Refinance and refinancingactivities may be disclosed in the context of data collection andmonitoring services that collect a training set of interactions betweenentities for a set of loan refinancing activities. Refinance andrefinancing activities may be disclosed in the context of an artificialintelligence system that is trained using the collected training set ofinteractions that includes both refinancing activities and outcomes. Thetrained artificial intelligence may then be used to recommend arefinance activity, evaluate a refinance activity, make a predictionaround an expected outcome of refinancing activity, and the like.Refinance and refinancing activities may be disclosed in the context ofsmart contract systems which may automate a subset of the interactionsand activities of refinancing. In an example, a smart contract systemmay automatically adjust an interest rate for a loan based oninformation collected via at least one of an Internet of Things system,a crowdsourcing system, a set of social network analytic services and aset of data collection and monitoring services. The interest rate may beadjusted based on rules, thresholds, model parameters that determine, orrecommend, an interest rate for refinancing a loan based on interestrates available to the lender from secondary lenders, risk factors ofthe borrower (including predicted risk based on one or more predictivemodels using artificial intelligence), marketing factors (such ascompeting interest rates offered by other lenders), and the like.Outcomes and events of a refinancing activity may be recorded in adistributed ledger. One of skill in the art, having the benefit of the disclosure herein andknowledge ordinarily available about a contemplated system can readilydetermine which aspects of the present disclosure will benefit from aparticular application of a refinance activity, how to choose or combinerefinance activities, how to implement systems, services, or circuits toautomatically perform of one or more (or all) aspects of a refinanceactivity, and the like. Certain considerations for the person of skillin the art, or embodiments of the present disclosure in choosing anappropriate training sets of interactions with which to train anartificial intelligence to take action, recommend or predict the outcomeof certain refinance activities. While specific examples of refinanceand refinancing activities are described herein for purposes ofillustration, any embodiment benefitting from the disclosures herein,and any considerations understood to one of skill in the art having thebenefit of the disclosures herein, are specifically contemplated withinthe scope of the present disclosure. The terms consolidate, consolidation activity(ies), loan consolidation,debt consolidation, consolidation plan, and similar terms, as utilizedherein should be understood broadly. Without limitation to any otheraspect or description of the present disclosure consolidate,consolidation activity(ies), loan consolidation, debt consolidation, orconsolidation plan are related to the use of a single large loan to payoff several smaller loans, and/or the use of one or more of a set ofloans to pay off at least a portion of one or more of a second set ofloans. In embodiments, loan consolidation may be secured (i.e., backedby collateral) or unsecured. Loans may be consolidated to obtain a lowerinterest rate than one or more of the current loans, to reduce totalmonthly loan payments, and/or to bring a debtor into compliance on theconsolidated loans or other debt obligations of the debtor. Loans thatmay be classified as candidates for consolidation may be determinedbased on a model that processes attributes of entities involved in theset of loans including identity of a party, interest rate, paymentbalance, payment terms, payment schedule, type of loan, type ofcollateral, financial condition of party, payment status, condition ofcollateral, and value of collateral. Consolidation activities mayinclude managing at least one of identification of loans from a set ofcandidate loans, preparation of a consolidation offer, preparation of aconsolidation plan, preparation of content communicating a consolidationoffer, scheduling a consolidation offer, communicating a consolidationoffer, negotiating a modification of a consolidation offer, preparing aconsolidation agreement, executing a consolidation agreement, modifyingcollateral for a set of loans, handling an application workflow forconsolidation, managing an inspection, managing an assessment, settingan interest rate, deferring a payment requirement, setting a paymentschedule, and closing a consolidation agreement. In embodiments, theremay be systems, circuits, and/or services configured to create,configure (such as using one or more templates or libraries), modify,set, or otherwise handle (such as in a user interface) various rules,thresholds, conditional procedures, workflows, model parameters, and thelike to determine, or recommend, a consolidation action or plan for alending transaction or a set of loans based on one or more events,conditions, states, actions, or the like. In embodiments, aconsolidation plan may be based on various factors, such as the statusof payments, interest rates of the set of loans, prevailing interestrates in a platform marketplace or external marketplace, the status ofthe borrowers of a set of loans, the status of collateral or assets,risk factors of the borrower, the lender, one or more guarantors, marketrisk factors and the like. Certain of the activities related to loans, collateral, entities, andthe like may apply to a wide variety of loans and may not applyexplicitly to consolidation activities. The categorization of theactivities as consolidation activities may be based on the context ofthe loan for which the activities are taking place. However, one ofskill in the art, having the benefit of the disclosure herein andknowledge ordinarily available about a contemplated system can readilydetermine which aspects of the present disclosure will benefit from aparticular application of a consolidation activity, how to choose orcombine consolidation activities, how to implement selected services,circuits, and/or systems described herein to perform certain loanconsolidation operations, and the like. While specific examples ofconsolidation and consolidation activities are described herein forpurposes of illustration, any embodiment benefitting from thedisclosures herein, and any considerations understood to one of skill inthe art having the benefit of the disclosures herein, are specificallycontemplated within the scope of the present disclosure. The terms factoring a loan, factoring a loan transaction, factors,factoring a loan interaction, factoring assets or sets of assets usedfor factoring and similar terms, as utilized herein should be understoodbroadly. Without limitation to any other aspect or description of thepresent disclosure factoring may be applied to factoring assets such asinvoices, inventory, accounts receivable, and the like, where therealized value of the item is in the future. For example, the accountsreceivable is worth more when it has been paid and there is less risk ofdefault. Inventory and Work in Progress (WIP) may be worth more as finalproduct rather than components. References to accounts receivable shouldbe understood to encompass these terms and not be limiting. Factoringmay include a sale of accounts receivable at a discounted rate for valuein the present (often cash). Factoring may also include the use ofaccounts receivable as collateral for a short term loan. In both casesthe value of the accounts receivable or invoices may be discounted formultiple reasons including the future value of money, a term of theaccounts receivable (e.g., 30 day net payment vs. 90 day net payment), adegree of default risk on the accounts receivable, a status ofreceivables, a status of work-in-progress (WIP), a status of inventory,a status of delivery and/or shipment, financial condition(s) of partiesowing against the accounts receivable, a status of shipped and/orbilled, a status of payments, a status of the borrower, a status ofinventory, a risk factor of a borrower, a lender, one or moreguarantors, market risk factors, a status of debt (are there other lienspresent on the accounts receivable or payment owed on the inventory, acondition of collateral assets (e.g. the condition of the inventory, isit current or out of date, are invoices in arrears), a state of abusiness or business operation, a condition of a party to thetransaction (such as net worth, wealth, debt, location, and otherconditions), a behavior of a party to the transaction (such as behaviorsindicating preferences, behaviors indicating negotiation styles, and thelike), current interest rates, any current regulatory and complianceissues associated with the inventory or accounts receivable (e.g., ifinventory is being factored, has the intended product receivedappropriate approvals), and there legal actions against the borrower,and many others, including predicted risk based on one or morepredictive models using artificial intelligence). The terms mortgage, brokering a mortgage, mortgage collateral, mortgageloan activities, and/or mortgage related activities as utilized hereinshould be understood broadly. Without limitation to any other aspect ordescription of the present disclosure, a mortgage is an interactionwhere a borrower provides the title or a lien on the title of an item ofvalue, typically property, to a lender as security in exchange for moneyor another item of value, to be repaid, typically with interest, to thelender. The exchange includes the condition that, upon repayment of theloan, the title reverts to the borrower and/or the lien on the propertyis removed. The brokering of a mortgage may include the identificationof potential properties, lenders, and other parties to the loan, andarranging or negotiating the terms of the mortgage. Certain componentsor activities may not be considered mortgage related individually, butmay be considered mortgage related when used in conjunction with amortgage, act upon a mortgage, are related to an entity or party to amortgage, and the like. For example, brokering may apply to the offeringof a variety of loans including unsecured loans, outright sale ofproperty and the like. Mortgage activities and mortgage interactions mayinclude mortgage marketing activity, identification of a set ofprospective borrowers, identification of property to mortgage,identification of collateral property to mortgage, qualification ofborrower, title search and/or title verification for prospectivemortgage property, property assessment, property inspection, or propertyvaluation for prospective mortgage property, income verification,borrower demographic analysis, identification of capital providers,determination of available interest rates, determination of availablepayment terms and conditions, analysis of existing mortgage(s),comparative analysis of existing and new mortgage terms, completion ofapplication workflow (e.g., keep the application moving forward byinitiating next steps in the process as appropriate), population offields of application, preparation of mortgage agreement, completion ofschedule for mortgage agreement, negotiation of mortgage terms andconditions with capital provider, negotiation of mortgage terms andconditions with borrower, transfer of title, placement of lien onmortgaged property and closing of mortgage agreement, and similar terms,as utilized herein should be understood broadly. While specific examplesof mortgages and mortgage brokering are described herein for purposes ofillustration, any embodiment benefitting from the disclosures herein,and any considerations understood to one of skill in the art having thebenefit of the disclosures herein, are specifically contemplated withinthe scope of the present disclosure. The terms debt management, debt transactions, debt actions, debt termsand conditions, syndicating debt, consolidating debt, and/or debtportfolios, as utilized herein should be understood broadly. Withoutlimitation to any other aspect or description of the present disclosurea debt includes something of monetary value that is owed to another. Aloan typically results in the borrower holding the debt (e.g., the moneythat must be paid back according to the terms of the loan, which mayinclude interest). Consolidation of debt includes the use of a new,single loan to pay back multiple loans (or various other configurationsof debt structuring as described herein, and as understood to one ofskill in the art). Often the new loan may have better terms or lowerinterest rates. Debt portfolios include a number of pieces or groups ofdebt, often having different characteristics including term, risk, andthe like. Debt portfolio management may involve decisions regarding thequantity and quality of the debt being held and how best to balance thevarious debts to achieve a desired risk/reward position based on:investment policy, return on risk determinations for individual piecesof debt, or groups of debt. Debt may be syndicated where multiplelenders fund a single loan (or set of loans) to a borrower. Debtportfolios may be sold to a third party (e.g., at a discounted rate).Debt compliance includes the various measures taken to ensure that debtis repaid. Demonstrating compliance may include documentation of theactions taken to repay the debt. Transactions related to a debt (debt transactions) and actions relatedto the debt (debt actions) may include offering a debt transaction,underwriting a debt transaction, setting an interest rate, deferring apayment requirement, modifying an interest rate, validating title,managing inspection, recording a change in title, assessing the value ofan asset, calling a loan, closing a transaction, setting terms andconditions for a transaction, providing notices required to be provided,foreclosing on a set of assets, modifying terms and conditions, settinga rating for an entity, syndicating debt, and/or consolidating debt.Debt terms and conditions may include a balance of debt, a principalamount of debt, a fixed interest rate, a variable interest rate, apayment amount, a payment schedule, a balloon payment schedule, aspecification of assets that back the bond, a specification ofsubstitutability of assets, a party, an issuer, a purchaser, aguarantee, a guarantor, a security, a personal guarantee, a lien, aduration, a covenant, a foreclose condition, a default condition, and aconsequence of default. While specific examples of debt management anddebt management activities are described herein for purposes ofillustration, any embodiment benefitting from the disclosures herein,and any considerations understood to one of skill in the art having thebenefit of the disclosures herein, are specifically contemplated withinthe scope of the present disclosure. The terms condition, condition classification, classification models,condition management, and similar terms, as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure condition, conditionclassification, classification models, condition management, includeclassifying or determining a condition of an asset, issuer, borrower,loan, debt, bond, regulatory status, term or condition for a bond, loanor debt transaction that is specified and monitored in the contract, andthe like. Based on a classified condition of an asset, conditionmanagement may include actions to maintain or improve a condition of theasset or the use of that asset as collateral. Based on a classifiedcondition of an issuer, borrower, party regulatory status, and the like,condition management may include actions to alter the terms orconditions of a loan or bond. Condition classification may includevarious rules, thresholds, conditional procedures, workflows, modelparameters, and the like to classify a condition of an asset, issuer,borrower, loan, debt, bond, regulatory status, term or condition for abond, loan or debt transaction, and the like based on data from Internetof Things devices, data from a set of environmental condition sensors,data from a set of social network analytic services and a set ofalgorithms for querying network domains, social media data, crowdsourceddata, and the like. Condition classification may include grouping orlabeling entities, or clustering the entities, as similarly positionedwith regard to some aspect of the classified condition (e.g., a risk,quality, ROI, likelihood for recovery, likelihood to default, or someother aspect of the related debt). Various classification models are disclosed where the classification andclassification model may be tied to a geographic location relating tothe collateral, the issuer, the borrower, the distribution of the fundsor other geographic locations. Classification and classification modelsare disclosed where artificial intelligence is used to improve aclassification model (e.g. refine a model by making refinements usingartificial intelligence data). Thus artificial intelligence may beconsidered, in some instances, as a part of a classification model andvice versa. Classification and classification models are disclosed wheresocial media data, crowdsourced data, or IoT data is used as input forrefining a model, or as input to a classification model. Examples of IoTdata may include images, sensor data, location data, and the like.Examples of social media data or crowdsourced data may include behaviorof parties to the loan, financial condition of parties, adherence to aparties to a term or condition of the loan, or bond, or the like.Parties to the loan may include issuers of a bond, related entities,lender, borrower, 3rd parties with an interest in the debt. Conditionmanagement may be discussed in connection with smart contract serviceswhich may include condition classification, data collection andmonitoring, and bond, loan, and debt transaction management. Datacollection and monitoring services are also discussed in conjunctionwith classification and classification models which are related whenclassifying an issuer of a bond issuer, an asset or collateral assetrelated to the bond, collateral assets backing the bond, parties to thebond, and sets of the same. In some embodiments a classification modelmay be included when discussing bond types. Specific steps, factors orrefinements may be considered a part of a classification model. Invarious embodiments, the classification model may change both in anembodiment, or in the same embodiment which is tied to a specificjurisdiction. Different classification models may use different datasets (e.g., based on the issuer, the borrower, the collateral assets,the bond type, the loan type, and the like) and multiple classificationmodels may be used in a single classification. For example, one type ofbond, such as a municipal bond, may allow a classification model that isbased on bond data from municipalities of similar size and economicprosperity, whereas another classification model may emphasize data fromIoT sensors associated with a collateral asset. Accordingly, differentclassification models will offer benefits or risks over otherclassification models, depending upon the embodiment and the specificsof the bond, loan, or debt transaction. A classification model includesan approach or concept for classification. Conditions classified for abond, loan, or debt transaction may include a principal amount of debt,a balance of debt, a fixed interest rate, a variable interest rate, apayment amount, a payment schedule, a balloon payment schedule, aspecification of assets that back the bond, loan or debt transaction, aspecification of substitutability of assets, a party, an issuer, apurchaser, a guarantee, a guarantor, a security, a personal guarantee, alien, a duration, a covenant, a foreclose condition, a defaultcondition, and/or a consequence of default. Conditions classified mayinclude type of bond issuer such as a municipality, a corporation, acontractor, a government entity, a non-governmental entity, and anon-profit entity. Entities may include a set of issuers, a set ofbonds, a set of parties, and/or a set of assets. Conditions classifiedmay include an entity condition such as net worth, wealth, debt,location, and other conditions), behaviors of parties (such as behaviorsindicating preferences, behaviors indicating debt preferences), and thelike. Conditions classified may include an asset or type of collateralsuch as a municipal asset, a vehicle, a ship, a plane, a building, ahome, real estate property, undeveloped land, a farm, a crop, amunicipal facility, a warehouse, a set of inventory, a commodity, asecurity, a currency, a token of value, a ticket, a cryptocurrency, aconsumable item, an edible item, a beverage, a precious metal, an itemof jewelry, a gemstone, an item of intellectual property, anintellectual property right, a contractual right, an antique, a fixture,an item of furniture, an item of equipment, a tool, an item ofmachinery, and an item of personal property. Conditions classified mayinclude a bond type where bond type may include a municipal bond, agovernment bond, a treasury bond, an asset-backed bond, and a corporatebond. Conditions classified may include a default condition, aforeclosure condition, a condition indicating violation of a covenant, afinancial risk condition, a behavioral risk condition, a policy riskcondition, a financial health condition, a physical defect condition, aphysical health condition, an entity risk condition, and an entityhealth condition. Conditions classified may include an environment whereenvironment may include an environment selected from among a municipalenvironment, a corporate environment, a securities trading environment,a real property environment, a commercial facility, a warehousingfacility, a transportation environment, a manufacturing environment, astorage environment, a home, and a vehicle. One of skill in the art, having the benefit of the disclosure herein andknowledge ordinarily available about a contemplated system, can readilydetermine which aspects of the present disclosure will benefit aparticular application for a classification model, how to choose orcombine classification models to arrive at a condition, and/or calculatea value of collateral given the required data. Certain considerationsfor the person of skill in the art, or embodiments of the presentdisclosure in choosing an appropriate condition to manage, include,without limitation: the legality of the condition given the jurisdictionof the transaction, the data available for a given collateral, theanticipated transaction type (loan, bond or debt), the specific type ofcollateral, the ratio of the loan to value, the ratio of the collateralto the loan, the gross transaction/loan amount, the credit scores of theborrower and the lender, and other considerations. While specificexamples of conditions, condition classification, classification models,and condition management are described herein for purposes ofillustration, any embodiment benefitting from the disclosures herein,and any considerations understood to one of skill in the art having thebenefit of the disclosures herein, are specifically contemplated withinthe scope of the present disclosure. The terms classify, classifying, classification, categorization,categorizing, categorize (and similar terms) as utilized herein shouldbe understood broadly. Without limitation to any other aspect ordescription of the present disclosure, classifying a condition or itemmay include actions to sort the condition or item into a group orcategory based on some aspect, attribute, or characteristic of thecondition or item where the condition or item is common or similar forall the items placed in that classification, despite divergentclassifications or categories based on other aspects or conditions atthe time. Classification may include recognition of one or moreparameters, features, characteristics, or phenomena associated with acondition or parameter of an item, entity, person, process, item,financial construct, or the like. Conditions classified by a conditionclassifying system may include a default condition, a foreclosurecondition, a condition indicating violation of a covenant, a financialrisk condition, a behavioral risk condition, a contractual performancecondition, a policy risk condition, a financial health condition, aphysical defect condition, a physical health condition, an entity riskcondition, and/or an entity health condition. A classification model mayautomatically classify or categorize items, entities, process, items,financial constructs or the like based on data received from a varietyof sources. The classification model may classify items based on asingle attribute or a combination of attributes, and/or may utilize dataregarding the items to be classified and a model. The classificationmodel may classify individual items, entities, financial constructs, orgroups of the same. A bond may be classified based on the type of bond(e.g., municipal bonds, corporate bonds, performance bonds, and thelike), rate of return, bond rating (3rd party indicator of bond qualitywith respect to bond issuer's financial strength, and/or ability to bapbond's principal and interest, and the like. Lenders or bond issuers maybe classified based on the type of lender or issuer, permittedattributes (e.g. based on income, wealth, location (domestic orforeign), various risk factors, status of issuers, and the like.Borrowers may be classified based on permitted attributes (e.g. income,wealth, total assets, location, credit history), risk factors, currentstatus (e.g., employed, a student), behaviors of parties (such asbehaviors indicating preferences, reliability, and the like), and thelike. A condition classifying system may classify a student recipient ofa loan based on progress of the student toward a degree, the student'sgrades or standing in their classes, students' status at the school(matriculated, on probation and the like), the participation of astudent in a non-profit activity, a deferment status of the student, andthe participation of the student in a public interest activity.Conditions classified by a condition classifying system may include astate of a set of collateral for a loan or a state of an entity relevantto a guarantee for a loan. Conditions classified by a conditionclassifying system may include a medical condition of a borrower,guarantor, subsidizer, or the like. Conditions classified by a conditionclassifying system may include compliance with at least one of a law, aregulation, or a policy related to a lending transaction or lendinginstitute. Conditions classified by a condition classifying system mayinclude a condition of an issuer for a bond, a condition of a bond, arating of a loan-related entity, and the like. Conditions classified bya condition classifying system may include an identify of a machine, acomponent, or an operational mode. Conditions classified by a conditionclassifying system may include a state or context (such as a state of amachine, a process, a workflow, a marketplace, a storage system, anetwork, a data collector, or the like). A condition classifying systemmay classify a process involving a state or context (e.g., a datastorage process, a network coding process, a network selection process,a data marketplace process, a power generation process, a manufacturingprocess, a refining process, a digging process, a boring process, and/orother process described herein. A condition classifying system mayclassify a set of loan refinancing actions based on a predicted outcomeof the set of loan refinancing actions. A condition classifying systemmay classify a set of loans as candidates for consolidation based onattributes such as identity of a party, an interest rate, a paymentbalance, payment terms, payment schedule, a type of loan, a type ofcollateral, a financial condition of party, a payment status, acondition of collateral, a value of collateral, and the like. Acondition classifying system may classify the entities involved in a setof factoring loans, bond issuance activities, mortgage loans, and thelike. A condition classifying system may classify a set of entitiesbased on projected outcomes from various loan management activities. The term subsidized loan, subsidizing a loan, (and similar terms) asutilized herein should be understood broadly. Without limitation to anyother aspect or description of the present disclosure, a subsidized loanis the loan of money or an item of value wherein payment of interest onthe value of the loan may be deferred, postponed, or delayed, with orwithout accrual, such as while the borrower is in school, is unemployed,is ill, and the like. In embodiments, a loan may be subsidized when thepayment of interest on a portion or subset of the loan is borne orguaranteed by someone other than the borrower. Examples of subsidizedloans may include a municipal subsidized loan, a government subsidizedloan, a student loan, an asset-backed subsidized loan, and a corporatesubsidized loan. An example of a subsidized student loan may includestudent loans which may be subsidized by the government and on whichinterest may be deferred or not accrue based on progress of the studenttoward a degree, the participation of a student in a non-profitactivity, a deferment status of the student, and the participation ofthe student in a public interest activity. An example of a governmentsubsidized housing loan may include governmental subsidies which mayexempt the borrower from paying closing costs, first mortgage paymentand the like. Conditions for such subsidized loans may include locationof the property (rural or urban), income of the borrower, militarystatus of the borrower, ability of the purchased home to meet health andsafety standards, a limit on the profits you can earn on the sale ofyour home, and the like. Certain usages of the word loan may not applyto a subsidized loan but rather to a regular loan. One of skill in theart, having the benefit of the disclosure herein and knowledge about acontemplated system ordinarily available to that person, can readilydetermine which aspects of the present disclosure will benefit fromconsideration of a subsidized loan (e.g., in determining the value ofthe loan, negotiations related to the loan, terms and conditions relatedto the loan, etc.) wherein the borrower may be relieved of some of theloan obligations common for non-subsidized loans, where the subsidy mayinclude forgiveness, delay or deferment of interest on a loan, or thepayment of the interest by a third party. The term subsidized loan management (and similar terms) as utilizedherein should be understood broadly. Without limitation to any otheraspect or description of the present disclosure, subsidized loanmanagement may include a plurality of activities and solutions formanaging or responding to one or more events related to a subsidizedloan wherein such events may include requests for a subsidized loan,offering a subsidized loan, accepting a subsidized loan, providingunderwriting information for a subsidized loan, providing a creditreport on a borrower seeking a subsidized loan, deferring a requiredpayment as part of the loan subsidy, setting an interest rate for asubsidized loan where a lower interest rate may be part of the subsidy,deferring a payment requirement as part of the loan subsidy, identifyingcollateral for a loan, validating title for collateral or security for aloan, recording a change in title of property, assessing the value ofcollateral or security for a loan, inspecting property that is involvedin a loan, identifying a change in condition of an entity relevant to aloan, a change in value of an entity that is relevant to a loan, achange in job status of a borrower, a change in financial rating of alender, a change in financial value of an item offered as a security,providing insurance for a loan, providing evidence of insurance forproperty related to a loan, providing evidence of eligibility for aloan, identifying security for a loan, underwriting a loan, making apayment on a loan, defaulting on a loan, calling a loan, closing a loan,setting terms and conditions for a loan, foreclosing on property subjectto a loan, modifying terms and conditions for a loan, for setting termsand conditions for a loan (such as a principal amount of debt, a balanceof debt, a fixed interest rate, a variable interest rate, a paymentamount, a payment schedule, a balloon payment schedule, a specificationof collateral, a specification of substitutability of collateral, aparty, a guarantee, a guarantor, a security, a personal guarantee, alien, a duration, a covenant, a foreclose condition, a defaultcondition, and a consequence of default), or managing loan-relatedactivities (such as, without limitation, finding parties interested inparticipating in a loan transaction, handling an application for a loan,underwriting a loan, forming a legal contract for a loan, monitoringperformance of a loan, making payments on a loan, restructuring oramending a loan, settling a loan, monitoring collateral for a loan,forming a syndicate for a loan, foreclosing on a loan, collecting on aloan, consolidating a set of loans, analyzing performance of a loan,handling a default of a loan, transferring title of assets orcollateral, and closing a loan transaction), and the like. The term foreclose, foreclosure, foreclose or foreclosure condition,default foreclosure collateral, default collateral, (and similar terms)as utilized herein should be understood broadly. Without limitation toany other aspect or description of the present disclosure, foreclosecondition, default and the like describe the failure of a borrower tomeet the terms of a loan. Without limitation to any other aspect ordescription of the present disclosure foreclose and foreclosure includeprocesses by which a lender attempts to recover, from a borrower in aforeclose or default condition, the balance of a loan or take away inlieu, the right of a borrower to redeem a mortgage held in security forthe loan. Failure to meet the terms of the loan may include failure tomake specified payments, failure to adhere to a payment schedule,failure to make a balloon payment, failure to appropriately secure thecollateral, failure to sustain collateral in a specified condition (e.g.in good repair), acquisition of a second loan, and the like. Foreclosuremay include a notification to the borrower, the public, jurisdictionalauthorities of the forced sale of an item collateral such as through aforeclosure auction. Upon foreclosure, an item of collateral may beplaced on a public auction site (such as eBay, Ñ¢ or an auction siteappropriate for a particular type of property. The minimum opening bidfor the item of collateral may be set by the lender and may cover thebalance of the loan, interest on the loan, fees associated with theforeclosure and the like. Attempts to recover the balance of the loanmay include the transfer of the deed for an item of collateral in lieuof foreclosure (e.g., a real-estate mortgage where the borrower holdsthe deed for a property which acts as collateral for the mortgage loan).Foreclosure may include taking possession of or repossessing thecollateral (e.g., a car, a sports vehicle such as a boat, ATV,ski-mobile, jewelry). Foreclosure may include securing an item ofcollateral associated with the loan (such as by locking a connecteddevice, such as a smart lock, smart container, or the like that containsor secures collateral). Foreclosure may include arranging for theshipping of an item of collateral by a carrier, freight forwarder of thelike. The terms validation of tile, title validation, validating title, andsimilar terms, as utilized herein should be understood broadly. Withoutlimitation to any other aspect or description of the present disclosurevalidation of title and title validation include any efforts to verifyor confirm the ownership or interest by an individual or entity in anitem of property such as a vehicle, a ship, a plane, a building, a home,real estate property, undeveloped land, a farm, a crop, a municipalfacility, a warehouse, a set of inventory, a commodity, a security, acurrency, a token of value, a ticket, a cryptocurrency, a consumableitem, an edible item, a beverage, a precious metal, an item of jewelry,a gemstone, an item of intellectual property, an intellectual propertyright, a contractual right, an antique, a fixture, an item of furniture,an item of equipment, a tool, an item of machinery, and an item ofpersonal property. Efforts to verify ownership may include reference tobills of sale, government documentation of transfer of ownership, alegal will transferring ownership, documentation of retirement of lienson the item of property, verification of assignment of IntellectualProperty to the proposed borrower in the appropriate jurisdiction, andthe like. For real-estate property validation may include a review ofdeeds and records at a courthouse of a country, a state, a county, or adistrict in which a building, a home, real estate property, undevelopedland, a farm, a crop, a municipal facility, a vehicle, a ship, a plane,or a warehouse is located or registered. Certain usages of the wordvalidation may not apply to validation of a title or title validationbut rather to confirmation that a process is operating correctly, thatan individual has been correctly identified using biometric data, thatintellectual property rights are in effect, that data is correct andmeaningful, and the like. One of skill in the art, having the benefit ofthe disclosure herein and knowledge about a contemplated systemordinarily available to that person, can readily determine which aspectsof the present disclosure will benefit from title validation, and/or howto combine processes and systems from the present disclosure to enhanceor benefit from title validation. Certain considerations for the personof skill in the art, in determining whether the term validation isreferring to title validation, are specifically contemplated within thescope of the present disclosure. Without limitation to any other aspect or description of the presentdisclosure, validation includes any validating system including, withoutlimitation, validating title for collateral or security for a loan,validating conditions of collateral for security or a loan, validatingconditions of a guarantee for a loan, and the like. For instance, avalidation service may provide lenders a mechanism to deliver loans withmore certainty, such as through validating loan or security informationcomponents (e.g., income, employment, title, conditions for a loan,conditions of collateral, and conditions of an asset). In a non-limitingexample, a validation service circuit may be structured to validate aplurality of loan information components with respect to a financialentity configured to determine a loan condition for an asset. Certaincomponents may not be considered a validating system individually, butmay be considered validating in an aggregated system—for example, anInternet of Things component may not be considered a validatingcomponent on its own, however an Internet of Things component utilizedfor asset data collection and monitoring may be considered a validatingcomponent when applied to validating a reliability parameter of apersonal guarantee for a load when the Internet of Things component isassociated with a collateralized asset. In certain embodiments,otherwise similar looking systems may be differentiated in determiningwhether such systems are for validation. For example, a blockchain-basedledger may be used to validate identities in one instance and tomaintain confidential information in another instance. Accordingly, thebenefits of the present disclosure may be applied in a wide variety ofsystems, and any such systems may be considered a system for validationherein, while in certain embodiments a given system may not beconsidered a validating system herein. One of skill in the art, havingthe benefit of the disclosure herein and knowledge about a contemplatedsystem ordinarily available to that person, can readily determine whichaspects of the present disclosure will benefit a particular system,and/or how to combine processes and systems from the present disclosureto enhance operations of the contemplated system. The term underwriting (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, underwriting includes anyunderwriting, including, without limitation, relating to underwriters,providing underwriting information for a loan, underwriting a debttransaction, underwriting a bond transaction, underwriting a subsidizedloan transaction, underwriting a securities transaction, and the like.Underwriting services may be provided by financial entities, such asbanks, insurance or investment houses, and the like, whereby thefinancial entity guarantees payment in case of a determination of a losscondition (e.g., damage or financial loss) and accept the financial riskfor liability arising from the guarantee. For instance, a bank mayunderwrite a loan through a mechanism to perform a credit analysis thatmay lead to a determination of a loan to be granted, such as throughanalysis of personal information components related to an individualborrower requesting a consumer loan (e.g., employment history, salaryand financial statements publicly available information such as theborrower's credit history), analysis of business financial informationcomponents from a company requesting a commercial load (e.g., tangiblenet worth, ratio of debt to worth (leverage), and available liquidity(current ratio)), and the like. In a non-limiting example, anunderwriting services circuit may be structured to underwrite afinancial transaction including a plurality of financial informationcomponents with respect to a financial entity configured to determine afinancial condition for an asset. In certain embodiments, underwritingcomponents may be considered underwriting for some purposes but not forother purposes—for example, an artificial intelligence system to collectand analyze transaction data may be utilized in conjunction with a smartcontract platform to monitor loan transactions, but alternately used tocollect and analyze underwriting data, such as utilizing a model trainedby human expert underwriters. Accordingly, the benefits of the presentdisclosure may be applied in a wide variety of systems, and any suchsystems may be considered underwriting herein, while in certainembodiments a given system may not be considered underwriting herein.One of skill in the art, having the benefit of the disclosure herein andknowledge about a contemplated system ordinarily available to thatperson, can readily determine which aspects of the present disclosurewill benefit a particular system, and/or how to combine processes andsystems from the present disclosure to enhance operations of thecontemplated system. The term insuring (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, insuring includes any insuring,including, without limitation, providing insurance for a loan, providingevidence of insurance for an asset related to a loan, a first entityaccepting a risk or liability for another entity, and the like.Insuring, or insurance, may be a mechanism through which a holder of theinsurance is provided protection from a financial loss, such as in aform of risk management against the risk of a contingent or uncertainloss. The insuring mechanism may provide for an insurance, determine theneed for an insurance, determine evidence of insurance, and the like,such as related to an asset, transaction for an asset, loan for anasset, security, and the like. An entity which provides insurance may beknown as an insurer, insurance company, insurance carrier, underwriter,and the like. For instance, a mechanism for insuring may provide afinancial entity with a mechanism to determine evidence of insurance foran asset related to a loan. In a non-limiting example, an insuranceservice circuit may be structured to determine an evidence condition ofinsurance for an asset based on a plurality of insurance informationcomponents with respect to a financial entity configured to determine aloan condition for an asset. In certain embodiments, components may beconsidered insuring for some purposes but not for other purposes, forexample, a blockchain and smart contract platform may be utilized tomanage aspects of a loan transaction such as for identity andconfidentiality, but may alternately be utilized to aggregate identityand behavior information for insurance underwriting. Accordingly, thebenefits of the present disclosure may be applied in a wide variety ofsystems, and any such systems may be considered insuring herein, whilein certain embodiments a given system may not be considered insuringherein. One of skill in the art, having the benefit of the disclosureherein and knowledge about a contemplated system ordinarily available tothat person, can readily determine which aspects of the presentdisclosure will benefit a particular system, and/or how to combineprocesses and systems from the present disclosure to enhance operationsof the contemplated system. The term aggregation (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, an aggregation or to aggregateincludes any aggregation including, without limitation, aggregatingitems together, such as aggregating or linking similar items together(e.g., collateral to provide collateral for a set of loans, collateralitems for a set of loans is aggregated in real time based on asimilarity in status of the set of items, and the like), collecting datatogether (e.g., for storage, for communication, for analysis, astraining data for a model, and the like), summarizing aggregated itemsor data into a simpler description, or any other method for creating awhole formed by combining several (e.g., disparate) elements. Further,an aggregator may be any system or platform for aggregating, such asdescribed. Certain components may not be considered aggregationindividually but may be considered aggregation in an aggregatedsystem—for example, a collection of loans may not be considered anaggregation of loans of itself but may be an aggregation if collected assuch. In a non-limiting example, an aggregation circuit may bestructured to provide lenders a mechanism to aggregate loans togetherfrom a plurality of loans, such as based on a loan attribute, parameter,term or condition, financial entity, and the like, to become anaggregation of loans. In certain embodiments, an aggregation may beconsidered an aggregation for some purposes but not for other purposes,for example, an aggregation of asset collateral conditions may becollected for the purpose of aggregating loans together in one instanceand for the purpose of determining a default action in another instance.Additionally, in certain embodiments, otherwise similar looking systemsmay be differentiated in determining whether such systems areaggregators, and/or which type of aggregating systems. For example, afirst and second aggregator may both aggregate financial entity data,where the first aggregator aggregates for the sake of building atraining set for an analysis model circuit and where the secondaggregator aggregates financial entity data for storage in ablockchain-based distributed ledger. Accordingly, the benefits of thepresent disclosure may be applied in a wide variety of systems, and anysuch systems may be considered as aggregation herein, while in certainembodiments a given system may not be considered aggregation herein. The term linking (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, linking includes any linking,including, without limitation, linking as a relationship between twothings or situations (e.g., where one thing affects the other). Forinstance, linking a subset of similar items such as collateral toprovide collateral for a set of loans. Certain components may not beconsidered linked individually, but may be considered in a process oflinking in an aggregated system—for example, a smart contracts circuitmay be structured to operate in conjunction with a blockchain circuit aspart of a loan processing platform but where the smart contracts circuitprocesses contracts without storing information through the blockchaincircuit, however the two circuits could be linked through the smartcontracts circuit linking financial entity information through adistributed ledger on the blockchain circuit. In certain embodiments,linking may be considered linking for some purposes but not for otherpurposes, for example, linking goods and services for users and radiofrequency linking between access points are different forms of linking,where the linking of goods and services for users links thinks togetherwhile an RF link is a communications link between transceivers.Additionally, in certain embodiments, otherwise similar looking systemsmay be differentiated in determining whether such system are linking,and/or which type of linking. For example, linking similar data togetherfor analysis is different from linking similar data together forgraphing. Accordingly, the benefits of the present disclosure may beapplied in a wide variety of systems, and any such systems may beconsidered linking herein, while in certain embodiments a given systemmay not be considered a linking herein. One of skill in the art, havingthe benefit of the disclosure herein and knowledge about a contemplatedsystem ordinarily available to that person, can readily determine whichaspects of the present disclosure will benefit a particular system,and/or how to combine processes and systems from the present disclosureto enhance operations of the contemplated system. Certain considerationsfor the person of skill in the art, in determining whether acontemplated system is linking and/or whether aspects of the presentdisclosure can benefit or enhance the contemplated system include,without limitation linking marketplaces or external marketplaces with asystem or platform; linking data (e.g., data cluster including links andnodes); storage and retrieval of data linked to local processes; links(e.g. The term indicator of interest (and similar terms) as utilized hereinshould be understood broadly. Without limitation to any other aspect ordescription of the present disclosure, an indicator of interest includesany indicator of interest including, without limitation, an indicator ofinterest from a user or plurality of users or parties related to atransaction and the like (e.g., parties interested in participating in aloan transaction), the recording or storing of such an interest (e.g., acircuit for recording an interest input from a user, entity, circuit,system, and the like), a circuit analyzing interest related data andsetting an indicator of interest (e.g., a circuit setting orcommunicating an indicator based on inputs to the circuit, such as fromusers, parties, entities, systems, circuits, and the like), a modeltrained to determine an indicator of interest from input data related toan interest by one of a plurality of inputs from users, parties, orfinancial entities, and the like. Certain components may not beconsidered indicators of interest individually, but may be considered anindicator of interest in an aggregated system, for example, a party mayseek information relating to a transaction such as though a translationmarketplace where the party is interested in seeking information, butthat may not be considered an indicator of interest in a transaction.However, when the party asserts a specific interest (e.g., through auser interface with control inputs for indicating interest) the party'sinterest may be recorded (e.g., in a storage circuit, in a blockchaincircuit), analyzed (e.g., through an analysis circuit, a data collectioncircuit), monitored (e.g., through a monitoring circuit), and the like.In a non-limiting example, indicators of interest may be recorded (e.g.,in a blockchain through a distributed ledger) from a set of parties withrespect to the product, service, or the like, such as ones that defineparameters under which a party is willing to commit to purchase aproduct or service. In certain embodiments, an indicator of interest maybe considered an indicator of interest for some purposes but not forother purposes—for example, a user may indicate an interest for a loantransaction but that does not necessarily mean the user is indicating aninterest in providing a type of collateral related to the loantransaction. For instance, a data collection circuit may record anindicator of interest for the transaction but may have a separatecircuit structure for determining an indication of interest forcollateral. The term accommodations (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, an accommodation includes anyservice, activity, event, and the like such as including, withoutlimitation, a room, group of rooms, table, seating, building, event,shared spaces offered by individuals (e.g., Airbnb spaces),bed-and-breakfasts, workspaces, conference rooms, convention spaces,fitness accommodations, health and wellness accommodations, diningaccommodations, and the like, in which someone may live, stay, sit,reside, participate, and the like. As such, an accommodation may bepurchased (e.g., a ticket through a sports ticketing application),reserved or booked (e.g., a reservation through a hotel reservationapplication), provided as a reward or gift, traded or exchanged (e.g.,through a marketplace), provided as an access right (e.g., offering byway of an aggregation demand), provided based on a contingency (e.g., areservation for a room being contingent on the availability of a nearbyevent), and the like. Certain components may not be considered anaccommodation individually but may be considered an accommodation in anaggregated system—for example, a resource such as a room in a hotel maynot in itself be considered an accommodation but a reservation for theroom may be. For instance, a blockchain and smart contract platform forforward market rights for accommodations may provide a mechanism toprovide access rights with respect to accommodations. In a non-limitingexample, a blockchain circuit may be structured to store access rightsin a forward demand market, where the access rights may be stored in adistributed ledger with related shared access to a plurality ofactionable entities. In certain embodiments, an accommodation may beconsidered an accommodation for some purposes but not for otherpurposes, for example, a reservation for a room may be an accommodationon its own, but may not be accommodation that is satisfied if a relatedcontingency is not met as agreed upon at the time of the e.g.,reservation. Additionally, in certain embodiments, otherwise similarlooking systems may be differentiated in determining whether suchsystems are related to an accommodation, and/or which type ofaccommodation. For example, an accommodation offering may be made basedon different systems, such as one where the accommodation offering isdetermined by a system collecting data related to forward demand and asecond one where the accommodation offering is provided as a rewardbased on a system processing a performance parameter. The term contingencies (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, a contingency includes anycontingency including, without limitation, any action that is dependentupon a second action. For instance, a service may be provided ascontingent on a certain parameter value, such as collecting data ascondition upon an asset tag indication from an Internet of Thingscircuit. In another instance, an accommodation such as a hotelreservation may be contingent upon a concert (local to the hotel and atthe same time as the reservation) proceeding as scheduled. Certaincomponents may not be considered as relating to a contingencyindividually, but may be considered related to a contingency in anaggregated system—for example, a data input collected from a datacollection service circuit may be stored, analyzed, processed, and thelike, and not be considered with respect to a contingency, however asmart contracts service circuit may apply a contract term as beingcontingent upon the collected data. For instance, the data may indicatea collateral status with respect to a loan transaction, and the smartcontracts service circuit may apply that data to a term of contract thatdepends upon the collateral. In certain embodiments, a contingency maybe considered contingency for some purposes but not for otherpurposes—for example, a delivery of contingent access rights for afuture event may be contingent upon a loan condition being satisfied,but the loan condition on its own may not be considered a contingency inthe absence of the contingency linkage between the condition and theaccess rights. Additionally, in certain embodiments, otherwise similarlooking systems may be differentiated in determining whether suchsystems are related to a contingency, and/or which type of contingency.For example, two algorithms may both create a forward market eventaccess right token, but where the first algorithm creates the token freeof contingencies and the second algorithm creates a token with acontingency for delivery of the token. Accordingly, the benefits of thepresent disclosure may be applied in a wide variety of systems, and anysuch systems may be considered a contingency herein, while in certainembodiments a given system may not be considered a contingency herein.One of skill in the art, having the benefit of the disclosure herein andknowledge about a contemplated system ordinarily available to thatperson, can readily determine which aspects of the present disclosurewill benefit a particular system, and/or how to combine processes andsystems from the present disclosure to enhance operations of thecontemplated system. The term level of service (and similar terms) as utilized herein shouldbe understood broadly. Without limitation to any other aspect ordescription of the present disclosure, a level of service includes anylevel of service including, without limitation, any qualitative orquantitative measure of the extent to which a service is provided, suchas, and without limitation, a first class vs. business class service(e.g., travel reservation or postal delivery), the degree to which aresource is available (e.g., service level A indicating that theresource is highly available vs. service level C indicating that theresource is constrained, such as in terms of traffic flow restrictionson a roadway), the degree to which an operational parameter isperforming (e.g., a system is operating at a high state of service vs alow state of service, and the like. In embodiments, level of service maybe multi-modal such that the level of service is variable where a systemor circuit provides a service rating (e.g., where the service rating isused as an input to an analytical circuit for determining an outcomebased on the service rating). Certain components may not be consideredrelative to a level of service individually, but may be consideredrelative to a level of service in an aggregated system, for example asystem for monitoring a traffic flow rate may provide data on a currentrate but not indicate a level of service, but when the determinedtraffic flow rate is provided to a monitoring circuit the monitoringcircuit may compare the determined traffic flow rate to past trafficflow rates and determine a level of service based on the comparison. Incertain embodiments, a level of service may be considered a level ofservice for some purposes but not for other purposes, for example, theavailability of first class travel accommodation may be considered alevel of service for determining whether a ticket will be purchased butnot to project a future demand for the flight. Additionally, in certainembodiments, otherwise similar looking systems may be differentiated indetermining whether such system utilizes a level of service, and/orwhich type of level of service. For example, an artificial intelligencecircuit may be trained on past level of service with respect to trafficflow patterns on a certain freeway and used to predict future trafficflow patterns based on current flow rates, but a similar artificialintelligence circuit may predict future traffic flow patterns based onthe time of day. The term payment (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, a payment includes any paymentincluding, without limitation, an action or process of paying (e.g., apayment to a loan) or of being paid (e.g., a payment from insurance), anamount paid or payable (e.g., a payment of $1000 being made), arepayment (e.g., to pay back a loan), a mode of payment (e.g., use ofloyalty programs, rewards points, or particular currencies, includingcryptocurrencies) and the like. Certain components may not be consideredpayments individually, but may be considered payments in an aggregatedsystem—for example, submitting an amount of money may not be considereda payment as such, but when applied to a payment to satisfy therequirement of a loan may be considered a payment (or repayment). Forinstance, a data collection circuit may provide lenders a mechanism tomonitor repayments of a loan. In a non-limiting example, the datacollection circuit may be structured to monitor the payments of aplurality of loan components with respect to a financial loan contractconfigured to determine a loan condition for an asset. In certainembodiments, a payment may be considered a payment for some purposes butnot for other purposes—for example, a payment to a financial entity maybe for a repayment amount to pay back the loan, or it may be to satisfya collateral obligation in a loan default condition. Additionally, incertain embodiments, otherwise similar looking systems may bedifferentiated in determining whether such system are related to apayment, and/or which type of payment. For example, funds may be appliedto reserve an accommodation or to satisfy the delivery of services afterthe accommodation has been satisfied. Accordingly, the benefits of thepresent disclosure may be applied in a wide variety of systems, and anysuch systems may be considered a payment herein, while in certainembodiments a given system may not be considered a payment herein. Oneof skill in the art, having the benefit of the disclosure herein andknowledge about a contemplated system ordinarily available to thatperson, can readily determine which aspects of the present disclosurewill benefit a particular system, and/or how to combine processes andsystems from the present disclosure to enhance operations of thecontemplated system. The term location (and similar terms) as utilized herein should beunderstood broadly. Without limitation to any other aspect ordescription of the present disclosure, a location includes any locationincluding, without limitation, a particular place or position of aperson, place, or item, or location information regarding the positionof a person, place, or item, such as a geolocation (e.g., geolocation ofa collateral), a storage location (e.g., the storage location of anasset), a location of a person (e.g., lender, borrower, worker),location information with respect to the same, and the like. Certaincomponents may not be considered with respect to location individually,but may be considered with respect to location in an aggregated system,for example, a smart contract circuit may be structured to specify arequirement for a collateral to be stored at a fixed location but notspecify the specific location for a specific collateral. In certainembodiments, a location may be considered a location for some purposesbut not for other purposes—for example, the address location of aborrower may be required for processing a loan in one instance, and aspecific location for processing a default condition in anotherinstance. Additionally, in certain embodiments, otherwise similarlooking systems may be differentiated in determining whether such systemare a location, and/or which type of location. For example, the locationof a music concert may be required to be in a concert hall seating10,000 people in one instance but specify the location of an actualconcert hall in another. Accordingly, the benefits of the presentdisclosure may be applied in a wide variety of systems, and any suchsystems may be considered with respect to a location herein, while incertain embodiments a given system may not be considered with respect toa location herein. One of skill in the art, having the benefit of thedisclosure herein and knowledge about a contemplated system ordinarilyavailable to that person, can readily determine which aspects of thepresent disclosure will benefit a particular system, and/or how tocombine processes and systems from the present disclosure to enhanceoperations of the contemplated system.
github_open_source_100_1_143
Github OpenSource
Various open source
/** * * @title 选择周 * @description 以「周」为基本单位,基础的周选择控件 */ import React, { Component } from "react"; import { Row, Col } from "bee-layout"; import DatePicker from "../../src/index"; const { WeekPicker } = DatePicker; import moment from "moment"; function onSelect(d) { console.log(d); } function onChange(d) { console.log(d); } class Demo5 extends Component { render() { return ( <div> <Row> <Col md={12}> <WeekPicker defaultValue={''} onChange={onChange} placeholder="选择周" /> </Col> </Row> </div> ); } } export default Demo5;
github_open_source_100_1_144
Github OpenSource
Various open source
package gwt.xml.shared.xpath; import gwt.xml.shared.expression.IExpression; public class Concat implements IExpression { private final IExpression first; private final IExpression[] expressions; public Concat(IExpression first, IExpression... expressions) { this.first = first; this.expressions = expressions; } @Override public StringBuilder append(StringBuilder target) { first.append(target.append("concat(")); for (IExpression expression : expressions) { expression.append(target.append(',')); } return target.append(')'); } }
6517898_1
Wikipedia
CC-By-SA
Fatou "Toufah" Jallow (Fatou A. Jallow, nascida em 19 de abril de 1996 em Soma) é uma rainha da beleza da Gâmbia. Ela tornou-se conhecida pelas suas acusações em 2014 contra o presidente da Gâmbia Yahya Jammeh. Vida Jallow pertence ao grupo étnico Fulbe. Os seus pais são Alpha Jallow e Awa Saho. Ela frequentou a Escola Secundária Nusrat até ao 12º ano. Em 2014, ela ganhou o título de Miss 22 de julho no concurso nacional de beleza organizado pelo ditador da Gâmbia Yahya Jammeh. Nessa época, ela tinha 18 anos. Em setembro de 2014, ela começou um curso de formação de professores no The Gambia College em Brikama. De acordo com uma história no Kibaroo News em junho de 2015, ela desapareceu por várias semanas depois de ser convidada para a State House em Banjul. No período após a competição, Jammeh foi acusado de assediá-la sexualmente repetidamente e de oferecer-lhe presentes. De acordo com o relatório, ela foi levada a Jammeh várias vezes contra a sua vontade. Ele havia anunciado publicamente várias vezes que queria casar-se com Jallow, uma proposta que ela recusou. Como Jallow explicou em 2019, em julho de 2015 ela fugiu pela fronteira para Dacar (Senegal), onde se voltou para organizações de direitos humanos. A 6 de agosto de 2015, ela recebeu asilo no Canadá e desde então vive em Toronto. Lá ela realizou terapia e estudou serviço social. Por volta de 2019, ela trabalhou como representante de atendimento ao cliente para uma empresa de telecomunicações e esteve envolvida num refúgio feminino. Alegações de violação No final de junho de 2019, ela relatou às organizações de direitos humanos Human Rights Watch e TRIAL de que Jammeh a havia violado. O nome de Jallow foi mencionado a seu pedido para encorajar outras mulheres a relatar tais experiências. Depois de vencer o concurso de beleza em 6 de dezembro de 2014, ela disse que foi convidada a visitar Jammeh várias vezes nos meses seguintes. De acordo com sua declaração, ela recebeu 50.000 Dalasi e, mais tarde, outros 200.000 Dalasi dele. Nascidos em 1996 Pessoas vivas Naturais da Gâmbia.
hal-02793025-2015_Ndiaye_World%20Bank_Working%20paper_1.txt_2
French-Science-Pile
Various open science
19 Two alternative measures of market remoteness are tested. The first measure is the distance in kilometers18 between a selected market and the nearest main consumption center, the second one is the quality of the road19 connecting the market with its main consumption center. Table 3 reports the results obtained. Columns (1) and (2) present the results obtained with the kilometric distance and road quality, respectively. In column (1), the finding that remote markets exhibit greater maize price volatility than markets located close to main consumption centers is confirmed again through the strongly positive coefficient on distance in kilometers. The same result holds in column (2) of table 3. Market remoteness proxied by unpaved road connected to the markets is positively and significantly associated with maize price volatility. The coefficient on the road quality is positive and statistically significant at the 1% level. The positive effect of market remoteness on maize price volatility in Burkina Faso holds for each of the three empirical specifications used. Estimation with nominal price We analyze our initial results with nominal price. We test whether our results are sensitive to price specification. Table 4 reports the results obtained. It indicates that even with nominal price series, the positive and significant impact of time distance on maize price volatility still holds and appears identical with the results obtained in table 2. Therefore, we show that the results are not sensitive to the functional form retained. 18 To compute information about kilometric distance, we relied on data from the Ministry of Agriculture, specifically from the DGESS (Direction Générale des Etudes et des Statistiques Sectorielles) and data from google maps. We used DGESS data and resort to google maps to fill in for missing data due to the fact that information about some markets are not communicated by DGESS. However, it is reassuring to note that the DGESS data are comparable to data from google maps. 19 Road quality is equal to 1 if the national road connected to the selected market is unpaved, 0 otherwise. Road conditions are taken into consideration by using the 2009 map of the “Institut Géographique du Burkina Fas”. 20 Table 4: The impact of market remoteness on price volatility: estimation with nominal price Variables Constant Mean Equation 0.4863 (0.82) Variance Equation 0.0037 (0.55) Ln Pt-1 0.8988*** (100.49) -0.0003 (0.71) 0.0986*** (9.53) ARCH(1) term CPI 0.8958 (16.23) 0.0032*** (6.28) Lean 0.0147*** (2.60) 0.0012*** (5.81) Harvest -0.0621*** (12.83) 0.0158*** (25.66) Trend -0.0005 (1.65) -0.0000*** (16.57) Exchange Rate -0.0470 (0.56) -0.0008 (0.58) International Price 0.0008 (0.03) -0.0004 (0.83) Time distance -0.0388*** (4.15) 0.0001*** (3.08) Border 0.1015** (4.46) -0.0004*** (4.00) Production -0.1228*** (4.73) 0.0017*** (7.28) Markets Dummy YES NO 3163 N 0.8740 R² Notes: Values in parentheses are t-statistics *** and ** denote significance at 1% and 5% levels, respectively. 21 Estimation with GARCH model An alternative specification to test the sensitivity of our results is implemented with the GARCH model. A number of studies have used a GARCH model to analyze maize price volatility (Gilbert and Morgan, 2010 ; Minot, 2013). In a GARCH model (Bollerslev, 1986), an autoregressive moving average (ARMA) model is assumed for the error variance. A GARCH (p,q) model may be presented in the same manner as the ARCH model except that the variance equation is now as follows: q ht = ω + ∑i=1 𝜆i ε²t−i + ∑𝑝𝑗=1 𝛽𝑗 Ϭ²𝑡−𝑗 (16) Non-negativity of the conditional variances requires ω, 𝜆i , βi > 0. 𝑙𝑛 𝑃𝑖𝑡 = 𝜃0 + 𝜃1 𝑙𝑛 𝑃𝑖𝑡−1 + 𝜃2 𝑇𝑟𝑒𝑛𝑑𝑡 + 𝜃3 𝑙𝑛 𝑅𝐸𝑅𝑡 + 𝜃4 𝑙𝑛𝐼𝑃𝑡 + ∑𝑖 µ𝑖 𝑆𝑖𝑡 + ∑𝑗 ʊ𝑗 𝑀𝑗ℎ + 𝜌𝑙𝑛𝑅𝑒𝑚𝑜𝑡𝑒 + 𝛿1 𝑙𝑛𝐵𝑜𝑟𝑑𝑒𝑟 + 𝛿2 𝑃𝑟𝑜𝑑𝑢𝑐𝑡𝑖𝑜𝑛 + 𝜀𝑖𝑡 (17) ℎ𝑖𝑡 = 𝜆0 + 𝜆1 ε2 t−i + 𝛽1 Ϭ²t−i + 𝛺1 𝑙𝑛 𝑃𝑖𝑡−1 + 𝛺2 𝑇𝑟𝑒𝑛𝑑𝑡 + 𝛺3 𝑙𝑛 𝑅𝐸𝑅𝑡 + 𝛺4 𝑙𝑛𝐼𝑃𝑡 + ∑𝑖 𝜋𝑖 𝑆ℎ𝑡 + 𝜑𝑙𝑛𝑅𝑒𝑚𝑜𝑡𝑒 + 𝜔1 𝑙𝑛𝐵𝑜𝑟𝑑𝑒𝑟 + 𝜔2 𝑃𝑟𝑜𝑑𝑢𝑐𝑡𝑖𝑜𝑛 + 𝑣𝑖𝑡 (18) The corresponding estimation is shown in table 5 which reports a significant and positive impact of market remoteness on maize price volatility, with similar findings for other variables. However, the coefficient associated with the GARCH model is non-significant. It is not easy to explain the non-significance of the GARCH term. One possibility is that monthly data usually do not exhibit GARCH effects (Baillie and Bollerslev, 1990). Even if a GARCH process exists, it will be due to the structural break of unconditional variance. Furthermore, GARCH application is more appropriate for high frequency data; however, in our application we use monthly data. Both ARCH and GARCH processes usually generate persistence in price volatility, i.e. high volatility is followed by high volatility, and the same holds for low volatility. The ARCH process features high persistence of price volatility but with short memory in that only the most recent residuals (shocks) have an impact on the current volatility. The GARCH model gives a much more smoothed volatility profile with long duration, in which past residuals and lagged volatility terms affect the current price volatility. This means that price volatility in Burkina Faso’s maize market is mainly due to recent shocks and the geographic situation within the country. 22 Table 5: The impact of market remoteness on price volatility: GARCH model Variables Constant Mean Equation 4.0883*** (12.28) Variance Equation 0.0526*** (3.20) Ln Pt-1 0.9101*** (118.36) -0.0002 (0.42) ARCH(1) term 0.1115*** (5.92) GARCH(1) term 0.0059 (0.25) Lean 0.01558*** (3.10) 0.0009*** (3.21) Harvest -0.0628*** (13.11) 0.0139*** (26.71) Trend -0.0003 (1.14) -0.0000*** (5.65) Exchange Rate 0.0742 (1.61) -0.0035 (1.67) International Price 0.0039 (0.17) -0.0018 (1.88) Time distance -0.0585*** (6.42) 0.0001*** (3.97) Border 0.0600** (2.57) -0.0004*** (3.31) Production -0.0893*** (3.21) 0.0016*** (5.60) Markets Dummy YES NO 3163 N 0.8285 R² Notes: Values in parentheses are t-statistics *** and ** denote significance at 1% and 5% levels, respectively. 23 6. Conclusion The aim of this study was to examine the role of market remoteness in explaining maize price volatility in Burkina Faso over the period July 2004-November 2013. To reach this objective, we develop a model of price formation and transport costs between rural and urban markets and also captures the implications for price volatility in rural market. We explore the empirical implications of our conceptual model by using the autoregressive conditional heteroskedasticity (ARCH) model introduced by Engle (1982). The empirical estimations with data on 28 markets established that markets that are close to the main cities, where quality road infrastructure is available, display less volatile price series. The results also show that maize-surplus markets and markets bordering Côte d’Ivoire, Ghana and Togo have experienced more volatile prices than maize-deficit and non-bordering markets. Furthermore, we find strong evidence of a seasonal pattern in maize price volatility across Burkinabe markets. These findings suggest that policies targeted towards infrastructure development and better regional integration and economic development within the ECOWAS area would reduce maize price volatility. For instance, authorities could support remote markets by linking them through better roads with major consumption centers across the country as well as in neighboring countries. This will be key to improve the commercialization of agricultural products in remote areas and reduce price volatility across markets in Burkina Faso. References Abdulai, A., 2000. Spatial price transmission and asymmetry in the Ghanaian maize market. J. Dev. Econ. 63, 327–349. doi:10.1016/S0304-3878(00)00115-2 Badiane, O., Shively, G.E., 1998. Spatial integration, transport costs, and the response of local prices to policy changes in Ghana. J. Dev. Econ. 56, 411–431. doi:10.1016/S03043878(98)00072-8 Baillie, R.T., Bollerslev, T., 1990. A multivariate generalized ARCH approach to modeling risk premia in forward foreign exchange rate markets. J. Int. Money Finance 9, 309– 324. doi:10.1016/0261-5606(90)90012-O Barrett, C.B., 1996. On price risk and the inverse farm size-productivity relationship. J. Dev. Econ. 51, 193–215. doi:10.1016/S0304-3878(96)00412-9 Barrett, C.B., 1997. Liberalization and food price distributions: ARCH-M evidence from Madagascar. Food Policy 22, 155–173. doi:10.1016/S0306-9192(96)00033-4 Beck, S.E., 1993. A Rational Expectations Model of Time Varying Risk Premia in Commodities Futures Markets: Theory and Evidence. Int. Econ. Rev. 34, 149–168. doi:10.2307/2526954 Bollerslev, T., 1986. Generalized autoregressive conditional heteroskedasticity. J. Econom. 31, 307–327. doi:10.1016/0304-4076(86)90063-1 Deaton, A., Laroque, G., 1992. On the Behaviour of Commodity Prices. Rev. Econ. Stud. 59, 1–23. doi:10.2307/2297923 24 Engle, R.F., 1982. Autoregressive Conditional Heteroscedasticity with Estimates of the Variance of United Kingdom Inflation. Econometrica 50, 987–1007. doi:10.2307/1912773 Enke, S., 1951. A Equilibrium Among Spatially Separeted Markets: Solution by Electrical. Econometrica 19, 40–47. Fafchamps, M., 1992. Cash Crop Production, Food Price Volatility, and Rural Market Integration in the Third World. Am. J. Agric. Econ. 74, 90–99. doi:10.2307/1242993 Gilbert, C.L., Morgan, C.W., 2010. Food price volatility. Philos. Trans. R. Soc. B Biol. Sci. 365, 3023–3034. doi:10.1098/rstb.2010.0139 Im, K.S., Pesaran, M.H., Shin, Y., 2003. Testing for unit roots in heterogeneous panels. J. Econom. 115, 53–74. doi:10.1016/S0304-4076(03)00092-7 Jordaan, H., Grové, B., Jooste, A., Alemu, Z.G., 2007. Measuring the Price Volatility of Certain Field Crops in South Africa using the ARCH/GARCH Approach. Agrekon 46, 306–322. doi:10.1080/03031853.2007.9523774 Kaminski, J., Christiaensen, L., Gilbert, C.L., 2014. The end of seasonality ? new insights from Sub-Saharan Africa (Policy Research Working Paper Series No. 6907). The World Bank. Kaminski, J., ELBEHRI, A., ZOMA, J.-B., 2013. Analyse de la filière du maïs et compétitivité au Burkina Faso: politiques et initiatives d’intégration des petits producteurs au Marché Kilima, F.T.M., Chanjin, C., Phil, K., Emanuel R, M., 2008. Impacts of Market Reform on Sptial Volatility of Maize Prices in Tanzania. J. Agric. Econ. 59, 257–270. doi:10.1111/j.1477-9552.2007.00146.x Maître d’Hôtel, E., Le Cotty, T., Jayne, T., 2013. Trade Policy Inconsistency and Maize Price Volatility: An ARCH Approach in Kenya. Afr. Dev. Rev. 25, 607–620. doi:10.1111/1467-8268.12055 Minot, N., 2014. Food price volatility in sub-Saharan Africa: Has it really increased? Food Policy 45, 45–56. Minten, B., Kyle, S., 1999. The effect of distance and road quality on food collection, marketing margins, and traders’ wages: evidence from the former Zaire. J. Dev. Econ. 60, 467–495. Minten, B., Randrianarison, L., 2003. Etude sur la Formation des prix du Riz Local à Madagascar. Piot-Lepetit, I., Mbarek, R., 2011. Methods to analyze agricultural commodity price volatility, Springer. ed. Prakash, A., 2011. Safeguarding food security in volatile global markets. xxii + 594 pp. Samuelson, P.A., 1952. Spatial price equilibrium and linear programming. Am. Econ. Rev. 283–303. Schnepf, R.D., 2005. Price determination in agricultural commodity markets: A primer. Congressional Research Service, Library of Congress. Shively, G.E., 1996. Food Price Variability and Economic Reform: An ARCH Approach for Ghana. Am. J. Agric. Econ. 78, 126–136. doi:10.2307/1243784 Stifel, D., Minten, B., 2008. Isolation and agricultural productivity. Agric. Econ. 39, 1–15. doi:10.1111/j.1574-0862.2008.00310.x World Bank, 2012. Africa Can Help Feed Africa/ Document Removing barriers to regional trade in food staples/ The World Bank Yang, J., Haigh, M.S., Leatham, D.J., 2001. Agricultural liberalization policy and commodity price volatility: a GARCH application. Appl. Econ. Lett. 8, 593–598. doi:10.1080/13504850010018734 25 A1: Evolution of millet, maize, rice and sorghum production in Burkina Faso since 1961 2500000 2000000 1500000 Millet Maize 1000000 500000 Rice Sorghum 0 Source: FAO, Data viewed on January 06, 2015 26 A2: Evolution of maize production in Burkina Faso since 1984 (tons) 450000 400000 Boucle Du Mouhoun Cascades 350000 Centre 300000 Centre-est Centre-nord 250000 Centre-ouest 200000 Centre-sud Est 150000 Hauts-bassins 100000 Nord Plateau Central 50000 Sahel 0 1984 1986 1988 1990 1992 1994 1996 1998 2000 2002 2004 2006 2008 2010 Sud-ouest Source: COUNTRYSTAT data downloaded on July 05, 2013 27 A3: Map of maize production in 2011 Source: MAFAP/SPAAA 2012 28 A4: Descriptive statistics of the prices observed in each market Banfora Batié Dédougou Diapaga Diébougou Djibo Dori Douna Fada Fara Faramana Gaoua Gourcy Guelwongo Kaya Kongoussi Koudougou Léo Manga Ouargaye Pouytenga Sankaryaré Sapouy Solenzo Tenkodogo Tougan Yako Zabré Number of Observations 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 113 Mean 83.86 102.33 92.29 87.30 89.99 119.57 123.79 64.65 99.56 74.83 68.81 103.55 109.64 109.20 107.86 102.54 100.12 91.21 103.41 81.32 106.17 108.39 88.927 75.80 98.27 108.82 106.49 99.61 Standard deviation 19.27 23.45 21.75 25.40 24.13 17.21 21.26 17.28 22.96 17.78 19.17 17.39 16.58 21.47 18.40 18.45 19.53 20.75 21.86 17.75 16.23 20.06 22.75 19.76 17.41 20.14 17.93 19.31 Min Max 49.99 54.35 58.74 35.46 55.02 83.81 95.81 36.17 60.28 42.56 37.83 64.66 85.49 73.28 81.14 72.12 68.26 56.47 66.74 47.36 80.34 78.40 50.95 46.38 72.22 74.62 80.19 60.91 151.42 197.29 178.68 178.61 199.76 176.88 205.08 121.23 184.23 140.97 142.20 175.84 166.19 204.69 174.82 178.26 173.39 175.48 195.57 145.48 169.71 191.04 182.52 146.83 173.60 190.86 172.77 169.44 Source: SONAGESS and INSD 29 A5: Explanatory variables used Variable name Type of variable Unit Source 𝑃𝑖𝑡 Real price Continuous FCFA/kg SONAGESS 𝑃𝑖𝑡−1 𝑅𝐸𝑅𝑡 𝐼𝑃𝑡 TC Lagged real price Real exchange rate Real international Price of Maize Time and kilometer distance between local market and main consumption center Time distance between local market and main border crossing points Surplus of production Continuous Continuous Continuous Continuous FCFA/kg FCFA/USD FCFA/kg Minutes SONAGESS IMF database IMF database Google maps Continuous Minutes countrystat Dummy 1(Surplus of production)/0 Countrystat Border Surplus All prices are deflated by Consumer Price index. 30 A6: Descriptive statistics Variable Real Price Trend Real exchange Rate Real international price of maize TC Border Obs 3164 3164 3164 3164 3164 3164 Mean 96.73006 57 353.4873 64838.47 141.8214 164.5357 Std. Dev. 24.50788 32.62417 69.90379 16633.54 81.19211 89.76841 Min 35.46873 1 253.5087 39751.56 0 0 Max 205.46873 113 513.5203 100274.8 374 346 31.
github_open_source_100_1_145
Github OpenSource
Various open source
using System; using UScript.Compiler.AST.Visitor; using UScript.Parser; namespace UScript.Compiler.AST { public enum ReferenceType { Variable, Parameter } public class VariableReferenceNode : BaseAstNode { public string Name { get; set; } public ReferenceType ReferenceType { get; set; } public VariableReferenceNode() { } public override void Accept(AstVisitor visitor) { visitor.VisitVariableReferenceNode(this); } } }
github_open_source_100_1_146
Github OpenSource
Various open source
#!/usr/bin/env node 'use strict'; var app = require('commander'); var core = require('../'); var version = require('../package.json').version; app .version(version) .option('-r, --record', 'Record a new test') .option('-u, --update', 'Update screenshots using the automated steps') .option( '-b, --browser <browser>', 'Default: Firefox. Chrome needs extra setup (See README).' ) .option( '-d, --dir <dir>', 'Folder to search for the Huxleyfiles. Accepts glob patterns. Default: ' + ' \'**/\' (every Huxleyfile in the current and nested folders).' ) .parse(process.argv); var browser = app.browser; // TODO: might change every mention of path to dir // the project uses `path` instead of `dir` everywhere (more concise). The // argument's `dir` only because that's what lots of people expect var path = app.dir; if (app.update) { core.playbackTasksAndSaveScreenshots(browser, path); } else if (app.record) { core.recordTasks(browser, path); } else { core.playbackTasksAndCompareScrenshots(browser, path); }
github_open_source_100_1_147
Github OpenSource
Various open source
using RarelySimple.AvatarScriptLink.Objects; namespace RarelySimple.AvatarScriptLink.Examples.Soap.v3.Shared { public static class GetErrorCode1 { public static OptionObject RunScript(OptionObject optionObject) { return optionObject.ToReturnOptionObject(ErrorCode.Error, "The code means the RunScript experienced an Error and to stop processing."); } public static OptionObject2 RunScript(OptionObject2 optionObject) { return optionObject.ToReturnOptionObject(ErrorCode.Error, "The code means the RunScript experienced an Error and to stop processing."); } public static OptionObject2015 RunScript(OptionObject2015 optionObject) { return optionObject.ToReturnOptionObject(ErrorCode.Error, "The code means the RunScript experienced an Error and to stop processing."); } } }
US-5945D-A_1
USPTO
Public Domain
Seneca s is. s. JONES. Sausage Machine. "No. 5,945. PatentedNovi-28. 18481 2 a v l i r N. PEIERS. Phawlinw n mr. Washinglom I). C. SENECA s JONES, or LEICESTER, NEW YORK. SAUSAGE-STUFFER. Specification of Letters Patent No. 5,945, dated November 28, 1848. To all whom it may concern: Be it known that I, SENEoA S- JoNEs, of the town of Leicester, in the county of Livingston and State of New York, have invented a new and useful Machine for the Purpose of Stufling Sausages, which Idenominate a Lever Sausage-Stuffer and I do hereby declare that the following is a full, clear, and exact description of the construction and operation of the same, reference being had to the annexed drawings, making a part of this specification, in which Figure 1, is a perspective view of the machine placed on a table; Fig. 2, a transverse section through cylinder and conductor; Fig. 3, geometrical front view (full size) of the conductor and tubeto show the air grooves on the latter; Fig.4, catch or holdfast (separate). On the plank (a) a cylinder (7)) is firmly attached by screws through a flange (0) at its base within the cylinder the plank is pierced at an angle of l5 and a conductor (d) formed as the hollow frustum of a cone is firmly attached therein emerging from the front of the plank (a). Over the entire portion of the conductor a tube (f) (of a similar form to conductor) is passed fitting so as to be easily removed. This tube has on the inside three or more grooves (g g g 9) running the entire length of the tube. At the upper end of the tube is a flange extending at right angles from it; the grooves (g g g g) continuing under the flange. In'the plank (a) near its outer end (Z) a standard (70). is firmly fixed forming the fulcrum of a lever (m). Directly over the cylinder is a follower (n) having a connecting rod (0) hooked on a pivot (p) aflixed to the under side of lever. To the end (Z) of the plank an iron plate (q) is firmly aflixed by screws forming a catch or hold fast to attach the machine to atable (1') and prevent the lever from raising the plank. The tube being placed on the conductor the case or intestine is slipped on the tube. The meat being placed in the cylinder, the ' follower is then inserted in the cylinder and being pressed down by the lever forces the meat through the'conductor into the case, the air escaping by means of the grooves and passing off above the flange which is attached to the tube to prevent the case or intestine from falling over so as to stop the free passage of the air. The advantages of my invention are to enable the operator to fill the case or intestine with an incalculably greater celerity than by any method hitherto known and leaving the case of the filled sausage intact, no stoppage occurring until the whole :of the intestine slipped on the tube is filled. 5 Under the present system of sausage stuff ing it is requisite to stop repeatedly and pierce the intestine while filling to allow the air to escape and prevent it from burst-'- ing which causes a considerable delay in the manufacture and renders the sausages liable to be saturated with the brine in which they i are kept making them entirely unpalatable; this, my invention obviates. I do not olalm to be the originator of machines for stufling sausages. What I do claim as my invention and desire to secure by Letters Patent is I The construction and application ofgthe grooves (g g g g). or other similar passages to form ventilators or'air-escapesfrorn the case as herein represented and described. SENECA S. JONES- Witnesses: WILLIAM LYMAN, JOHN B. CROSBY.
github_open_source_100_1_148
Github OpenSource
Various open source
var currentPage = "dashboard/index"; var oldPage = ""; var app = { init: function () { Template.load('dashboard/index', $('#content')); } }; var UI = { showBack: function () { $('#display-nav').hide(); $('#back').addClass('active'); }, hideBack: function () { $('#back').removeClass('active'); $('#display-nav').show(); } }; var Template = { load: function (page, $content) { oldPage = currentPage; currentPage = page; $.get('views/'+ page +'.html', function (result) { $content.html(result); }) .error(function () { var errorTemplate = $('#template-error').html(); $('#content').html(errorTemplate); }); } }; $(document).ready(function() { FastClick.attach(document.body); app.init(); // Systeme de changement de page $('body').on('click', '.change-page[data-page]', function (event) { event.preventDefault(); var page = $(this).attr('data-page'); var $nav = $('#nav'); var $content = $('#content'); var $header = $('#header'); // Cache le menu si il est affiché if ($nav.hasClass('active')) { $nav.removeClass('active'); $content.removeClass('active'); $header.removeClass('active'); } $('#nav h3.active').removeClass('active'); $('#nav h3[data-page="'+ page +'"]').addClass('active'); Template.load(page, $content); }); // Affiche le menu $('#display-nav').on('click', function () { $('#nav, #header, #content').toggleClass('active'); }); // Affiche les notifs $('#display-notif').on('click', function() { $(this).hide(); $('#hide-notif').show(); }); // Cache les notifs $('#hide-notif').on('click', function() { $(this).hide(); $('#display-notif').show(); Template.load(oldPage, $('#content')); }); // Animation a la suppression $('#content').on('click', '.delete-item', function () { var $current = $(this); var $item = $(this).parent(); var $list = $item.parent(); $item.addClass('animated slideOutLeft'); setTimeout(function() { $item.remove(); }, 500); setTimeout(function() { if ($list.children('.item').length <= 0) { $list.html('<br><center>Aucune notification</center>'); } }, 600); }); // Back $('#back').on('click', function() { var hasClass = $(this).hasClass('active'); if (hasClass == true) { Template.load(oldPage, $('#content')); UI.hideBack(); } else { UI.showBack(); } }); // Fix du bouton back quand on click dans le menu $('body').on('click', '.disp-back', function() { UI.showBack(); }); // Donne la nourriture maintenant $('#to-feed').on('click', function() { apiCtrl.request('/feed/now', [], function (result) { if (result.error == true) { notificationCtrl.add('feed-no', 'Opération échouée', result.message); return false; } notificationCtrl.add('feed-ok', 'Opération réussie', result.message); return true; }); }); // Deconnecte l'utilisateur $('#logout').on('click', function () { loginCtrl.destroyToken(); window.location.href = 'index.html'; }); });
github_open_source_100_1_149
Github OpenSource
Various open source
<Global.Microsoft.VisualBasic.CompilerServices.DesignerGenerated()> _ Partial Class Form1 Inherits System.Windows.Forms.Form 'Form overrides dispose to clean up the component list. <System.Diagnostics.DebuggerNonUserCode()> _ Protected Overrides Sub Dispose(ByVal disposing As Boolean) Try If disposing AndAlso components IsNot Nothing Then components.Dispose() End If Finally MyBase.Dispose(disposing) End Try End Sub 'Required by the Windows Form Designer Private components As System.ComponentModel.IContainer 'NOTE: The following procedure is required by the Windows Form Designer 'It can be modified using the Windows Form Designer. 'Do not modify it using the code editor. <System.Diagnostics.DebuggerStepThrough()> _ Private Sub InitializeComponent() Dim resources As System.ComponentModel.ComponentResourceManager = New System.ComponentModel.ComponentResourceManager(GetType(Form1)) Me.AppProgressBar = New System.Windows.Forms.ProgressBar() Me.DownloadButton = New System.Windows.Forms.Button() Me.PictureBox1 = New System.Windows.Forms.PictureBox() Me.URLComboBox = New System.Windows.Forms.ComboBox() Me.AppStatus = New System.Windows.Forms.Label() Me.Label1 = New System.Windows.Forms.Label() Me.MenuStrip1 = New System.Windows.Forms.MenuStrip() Me.FileDownloaderToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.SobreOFileDownloderToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() Me.EncerrarFileDownloaderToolStripMenuItem = New System.Windows.Forms.ToolStripMenuItem() CType(Me.PictureBox1, System.ComponentModel.ISupportInitialize).BeginInit() Me.MenuStrip1.SuspendLayout() Me.SuspendLayout() ' 'AppProgressBar ' Me.AppProgressBar.Location = New System.Drawing.Point(77, 210) Me.AppProgressBar.Name = "AppProgressBar" Me.AppProgressBar.Size = New System.Drawing.Size(331, 10) Me.AppProgressBar.TabIndex = 0 ' 'DownloadButton ' Me.DownloadButton.Location = New System.Drawing.Point(397, 226) Me.DownloadButton.Name = "DownloadButton" Me.DownloadButton.Size = New System.Drawing.Size(75, 23) Me.DownloadButton.TabIndex = 1 Me.DownloadButton.Text = "Download..." Me.DownloadButton.UseVisualStyleBackColor = True ' 'PictureBox1 ' Me.PictureBox1.Image = CType(resources.GetObject("PictureBox1.Image"), System.Drawing.Image) Me.PictureBox1.Location = New System.Drawing.Point(187, 45) Me.PictureBox1.Name = "PictureBox1" Me.PictureBox1.Size = New System.Drawing.Size(100, 100) Me.PictureBox1.SizeMode = System.Windows.Forms.PictureBoxSizeMode.Zoom Me.PictureBox1.TabIndex = 2 Me.PictureBox1.TabStop = False ' 'URLComboBox ' Me.URLComboBox.FormattingEnabled = True Me.URLComboBox.Location = New System.Drawing.Point(77, 183) Me.URLComboBox.Name = "URLComboBox" Me.URLComboBox.Size = New System.Drawing.Size(331, 21) Me.URLComboBox.TabIndex = 3 ' 'AppStatus ' Me.AppStatus.AutoSize = True Me.AppStatus.Location = New System.Drawing.Point(74, 223) Me.AppStatus.Name = "AppStatus" Me.AppStatus.Size = New System.Drawing.Size(164, 13) Me.AppStatus.TabIndex = 4 Me.AppStatus.Text = "Preparando para baixar arquivo..." ' 'Label1 ' Me.Label1.AutoSize = True Me.Label1.Location = New System.Drawing.Point(138, 167) Me.Label1.Name = "Label1" Me.Label1.Size = New System.Drawing.Size(208, 13) Me.Label1.TabIndex = 5 Me.Label1.Text = "Insira a URL do arquivo que deseja baixar:" ' 'MenuStrip1 ' Me.MenuStrip1.Items.AddRange(New System.Windows.Forms.ToolStripItem() {Me.FileDownloaderToolStripMenuItem}) Me.MenuStrip1.Location = New System.Drawing.Point(0, 0) Me.MenuStrip1.Name = "MenuStrip1" Me.MenuStrip1.Size = New System.Drawing.Size(484, 24) Me.MenuStrip1.TabIndex = 6 Me.MenuStrip1.Text = "MenuStrip1" ' 'FileDownloaderToolStripMenuItem ' Me.FileDownloaderToolStripMenuItem.DropDownItems.AddRange(New System.Windows.Forms.ToolStripItem() {Me.SobreOFileDownloderToolStripMenuItem, Me.EncerrarFileDownloaderToolStripMenuItem}) Me.FileDownloaderToolStripMenuItem.Name = "FileDownloaderToolStripMenuItem" Me.FileDownloaderToolStripMenuItem.Size = New System.Drawing.Size(101, 20) Me.FileDownloaderToolStripMenuItem.Text = "FileDownloader" ' 'SobreOFileDownloderToolStripMenuItem ' Me.SobreOFileDownloderToolStripMenuItem.Name = "SobreOFileDownloderToolStripMenuItem" Me.SobreOFileDownloderToolStripMenuItem.Size = New System.Drawing.Size(202, 22) Me.SobreOFileDownloderToolStripMenuItem.Text = "Sobre o FileDownloder" ' 'EncerrarFileDownloaderToolStripMenuItem ' Me.EncerrarFileDownloaderToolStripMenuItem.Name = "EncerrarFileDownloaderToolStripMenuItem" Me.EncerrarFileDownloaderToolStripMenuItem.Size = New System.Drawing.Size(202, 22) Me.EncerrarFileDownloaderToolStripMenuItem.Text = "Encerrar FileDownloader" ' 'Form1 ' Me.AutoScaleDimensions = New System.Drawing.SizeF(6.0!, 13.0!) Me.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font Me.BackColor = System.Drawing.Color.White Me.ClientSize = New System.Drawing.Size(484, 261) Me.Controls.Add(Me.Label1) Me.Controls.Add(Me.AppStatus) Me.Controls.Add(Me.URLComboBox) Me.Controls.Add(Me.PictureBox1) Me.Controls.Add(Me.DownloadButton) Me.Controls.Add(Me.AppProgressBar) Me.Controls.Add(Me.MenuStrip1) Me.Icon = CType(resources.GetObject("$this.Icon"), System.Drawing.Icon) Me.MainMenuStrip = Me.MenuStrip1 Me.MaximizeBox = False Me.MaximumSize = New System.Drawing.Size(500, 300) Me.MinimumSize = New System.Drawing.Size(500, 300) Me.Name = "Form1" Me.StartPosition = System.Windows.Forms.FormStartPosition.CenterScreen Me.Text = "FileDownloader" CType(Me.PictureBox1, System.ComponentModel.ISupportInitialize).EndInit() Me.MenuStrip1.ResumeLayout(False) Me.MenuStrip1.PerformLayout() Me.ResumeLayout(False) Me.PerformLayout() End Sub Friend WithEvents AppProgressBar As System.Windows.Forms.ProgressBar Friend WithEvents DownloadButton As System.Windows.Forms.Button Friend WithEvents PictureBox1 As System.Windows.Forms.PictureBox Friend WithEvents URLComboBox As System.Windows.Forms.ComboBox Friend WithEvents AppStatus As System.Windows.Forms.Label Friend WithEvents Label1 As System.Windows.Forms.Label Friend WithEvents MenuStrip1 As System.Windows.Forms.MenuStrip Friend WithEvents FileDownloaderToolStripMenuItem As System.Windows.Forms.ToolStripMenuItem Friend WithEvents SobreOFileDownloderToolStripMenuItem As System.Windows.Forms.ToolStripMenuItem Friend WithEvents EncerrarFileDownloaderToolStripMenuItem As System.Windows.Forms.ToolStripMenuItem End Class
github_open_source_100_1_150
Github OpenSource
Various open source
using DeSjoerd.Competition.Models; using DeSjoerd.Competition.Services; using Orchard.ContentManagement; using Orchard.UI.Admin; using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.Mvc; namespace DeSjoerd.Competition.Controllers { [Admin] public class CompetitionPermissionsAdminController : Controller { private readonly IGameService _gameService; private readonly IObjectiveService _objectiveService; public CompetitionPermissionsAdminController( IGameService gameService, IObjectiveService objectiveService) { _gameService = gameService; _objectiveService = objectiveService; } // // GET: /CompetitionPermissionsAdmin/ public ActionResult Index() { var games = _gameService.Get().Where(g => g.Is<CompetitionPermissionsPart>()).ToList(); var objectives = _objectiveService.Get().ToList(); var vm = new ViewModels.CompetitionPermissionsAdminViewModel { Permissions = games.Select(g => Tuple.Create( g, g.As<CompetitionPermissionsPart>(), objectives.Select(o => Tuple.Create( o, o.As<CompetitionPermissionsPart>() )).ToList().AsEnumerable() )).ToList().AsEnumerable() }; return View(vm); } } }
github_open_source_100_1_151
Github OpenSource
Various open source
#!/usr/bin/perl use strict; use warnings; my $usage = 'perl script KEGG_file Table_KO_list'; open IN1, "<$ARGV[0]"; open IN2, "<$ARGV[1]"; open OUT, ">file.KOs"; my %orthology = (); while (my $line = <IN1>){ chomp $line; if ($line =~ /^cre:CHLREDRAFT_(\d+).*(K\d{5})/){ my $protein = $1; my $ko = $2; push (@{$orthology{$ko}}, $1); } } while (my $kos = <IN2>){ chomp $kos; if ($kos =~ /^\[KO:(K\d{5})\]/){ my $target = $1; if (scalar(@{$orthology{$target}}) == 1){ print OUT "$target\tCHLREDRAFT_"."$orthology{$target}[0]\n"; } elsif (scalar(@{$orthology{$target}}) >= 2){ my $nums = scalar(@{$orthology{$target}}); my $end = $nums - 1; print OUT "$target\tCHLREDRAFT_"; foreach my $count (0..$end-1){ print OUT "$orthology{$target}[$count], "; } print OUT "$orthology{$target}[$end]\n"; } } }
github_open_source_100_1_152
Github OpenSource
Various open source
# ---------------------------------------------------------------------------- # SX Tools - Maya vertex painting toolkit # (c) 2017-2019 Jani Kahrama / Secret Exit Ltd # Released under MIT license # # ShaderFX network generation based on work by Steve Theodore # https://github.com/theodox/sfx # ---------------------------------------------------------------------------- import maya.cmds from sfx import SFXNetwork from sfx import StingrayPBSNetwork import sfx.sfxnodes as sfxnodes import sfx.pbsnodes as pbsnodes import sxglobals class SceneSetup(object): def __init__(self): return None def __del__(self): print('SX Tools: Exiting setup') def createSXShader(self, numLayers, occlusion=False, metallic=False, smoothness=False, transmission=False, emission=False): if maya.cmds.objExists('SXShader'): maya.cmds.delete('SXShader') print('SX Tools: Updating default materials') if maya.cmds.objExists('SXShaderSG'): maya.cmds.delete('SXShaderSG') else: print('SX Tools: Creating default materials') materialName = 'SXShader' sxglobals.settings.material = SFXNetwork.create(materialName) channels = [] if occlusion: channels.append('occlusion') if metallic: channels.append('metallic') if smoothness: channels.append('smoothness') if transmission: channels.append('transmission') if emission: channels.append('emission') # # Create common nodes # bcol_node = sxglobals.settings.material.add(sfxnodes.Color) bcol_node.name = 'black' bcol_node.color = (0, 0, 0, 1) bcol_node.posx = -2500 bcol_node.posy = -250 # bcolID = maya.cmds.shaderfx( # sfxnode=materialName, getNodeIDByName='black') wcol_node = sxglobals.settings.material.add(sfxnodes.Color) wcol_node.name = 'white' wcol_node.color = (1, 1, 1, 1) wcol_node.posx = -2500 wcol_node.posy = -500 # wcolID = maya.cmds.shaderfx( # sfxnode=materialName, getNodeIDByName='white') shaderID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='TraditionalGameSurfaceShader') sxglobals.settings.nodeDict['SXShader'] = shaderID # # Create requested number of layer-specific nodes # layerName = 'composite' vertcol_node = sxglobals.settings.material.add(sfxnodes.VertexColor) vertcol_node.posx = -2500 vertcol_node.posy = 0 vertcol_node.name = layerName vertcol_node.colorsetname_Vertex = layerName vertcolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName=layerName) sxglobals.settings.nodeDict[layerName] = vertcolID # Connect diffuse sxglobals.settings.material.connect( vertcol_node.outputs.rgb, (shaderID, 3)) # # Create material channels # for channel in channels: offset = channels.index(channel) * 500 chancol_node = sxglobals.settings.material.add(sfxnodes.VertexColor) chancol_node.posx = -2000 chancol_node.posy = -1000 - offset chancol_node.name = channel chancol_node.colorsetname_Vertex = channel chancolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName=channel) sxglobals.settings.nodeDict[channel] = chancolID chanboolName = channel + 'Visibility' chanbool_node = sxglobals.settings.material.add(sfxnodes.PrimitiveVariable) chanbool_node.posx = -2000 chanbool_node.posy = -750 - offset chanbool_node.name = chanboolName chanbool_node.primvariableName = chanboolName chanbool_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName=chanboolName) sxglobals.settings.nodeDict[chanboolName] = chanbool_nodeID chanMulName = channel + 'Mul' chanMul_node = sxglobals.settings.material.add(sfxnodes.Multiply) chanMul_node.posx = -1500 chanMul_node.posy = -750 - offset chanMul_node.name = chanMulName chanMul_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName=chanMulName) if channel == 'occlusion': chanLerpName = channel + 'Lerp' chanLerp_node = sxglobals.settings.material.add(sfxnodes.LinearInterpolateMix) chanLerp_node.posx = -1500 chanLerp_node.posy = -750 - offset chanLerp_node.name = chanLerpName chanLerp_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName=chanLerpName) occ_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='occlusionLerp') sxglobals.settings.material.connect( wcol_node.outputs.red, (chanLerp_nodeID, 0)) sxglobals.settings.material.connect( chancol_node.outputs.red, (chanLerp_nodeID, 1)) sxglobals.settings.material.connect( (chanbool_nodeID, 0), (chanLerp_nodeID, 2)) elif channel == 'metallic': met_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='metallicMul') sxglobals.settings.material.connect( chancol_node.outputs.rgb, (chanMul_nodeID, 0)) sxglobals.settings.material.connect( (chanbool_nodeID, 0), (chanMul_nodeID, 1)) elif channel == 'smoothness': smoothPow_node = sxglobals.settings.material.add(sfxnodes.Pow) smoothPow_node.posx = -750 smoothPow_node.posy = -1000 - offset smoothPow_node.name = 'smoothnessPower' smoothPow_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='smoothnessPower') rpv_node = sxglobals.settings.material.add(sfxnodes.Float) rpv_node.posx = -1000 rpv_node.posy = -1000 - offset rpv_node.name = 'smoothnessPowerValue' rpv_node.value = 1000 rpv_node.defineinheader = False # spv_nodeID = maya.cmds.shaderfx( # sfxnode=materialName, # getNodeIDByName='smoothnessPowerValue') smooth_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='smoothnessMul') sxglobals.settings.material.connect( chancol_node.outputs.red, (chanMul_nodeID, 0)) sxglobals.settings.material.connect( (chanbool_nodeID, 0), (chanMul_nodeID, 1)) # Connect smoothness power # smoothRaw_nodeID = sxglobals.settings.nodeDict['smoothness'] sxglobals.settings.material.connect( rpv_node.outputs.float, smoothPow_node.inputs.x) sxglobals.settings.material.connect( (smooth_nodeID, 0), smoothPow_node.inputs.y) elif channel == 'transmission': trans_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='transmissionMul') sxglobals.settings.material.connect( chancol_node.outputs.rgb, (chanMul_nodeID, 0)) sxglobals.settings.material.connect( (chanbool_nodeID, 0), (chanMul_nodeID, 1)) elif channel == 'emission': emiss_nodeID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='emissionMul') sxglobals.settings.material.connect( chancol_node.outputs.rgb, (chanMul_nodeID, 0)) sxglobals.settings.material.connect( (chanbool_nodeID, 0), (chanMul_nodeID, 1)) # Connect emission sxglobals.settings.material.connect( (emiss_nodeID, 0), (shaderID, 1)) # Connect occlusion sxglobals.settings.material.connect( (occ_nodeID, 0), (shaderID, 2)) # Connect smoothness power sxglobals.settings.material.connect( (smoothPow_nodeID, 0), (shaderID, 4)) # Connect smoothness sxglobals.settings.material.connect( (met_nodeID, 0), (shaderID, 5)) # Connect metallic sxglobals.settings.material.connect( (met_nodeID, 0), (shaderID, 6)) # Connect transmission sxglobals.settings.material.connect( (trans_nodeID, 0), (shaderID, 9)) # Initialize network to show attributes in Maya AE maya.cmds.shaderfx(sfxnode=materialName, update=True) maya.cmds.createNode('shadingEngine', n='SXShaderSG') # maya.cmds.connectAttr('SXShader.oc', 'SXShaderSG.ss') maya.cmds.setAttr('.ihi', 0) maya.cmds.setAttr('.dsm', s=2) maya.cmds.setAttr('.ro', True) # originally 'yes' maya.cmds.createNode('materialInfo', n='SXMaterials_materialInfo1') maya.cmds.connectAttr( 'SXShader.oc', 'SXShaderSG.ss') maya.cmds.connectAttr( 'SXShaderSG.msg', 'SXMaterials_materialInfo1.sg') maya.cmds.relationship( 'link', ':lightLinker1', 'SXShaderSG.message', ':defaultLightSet.message') maya.cmds.relationship( 'shadowLink', ':lightLinker1', 'SXShaderSG.message', ':defaultLightSet.message') maya.cmds.connectAttr('SXShaderSG.pa', ':renderPartition.st', na=True) # maya.cmds.connectAttr( # 'SXShader.msg', ':defaultShaderList1.s', na=True) # automatically assign shader to existing multi-layer meshes meshList = maya.cmds.ls(ni=True, typ='mesh') for mesh in meshList: if maya.cmds.attributeQuery( 'activeLayerSet', node=mesh, exists=True): maya.cmds.sets(mesh, e=True, forceElement='SXShaderSG') def createSXExportShader(self): if maya.cmds.objExists('SXExportShader'): maya.cmds.delete('SXExportShader') if maya.cmds.objExists('SXExportShaderSG'): maya.cmds.delete('SXExportShaderSG') maskID = sxglobals.settings.project['LayerData']['layer1'][2] maskIndex = int(maskID[1]) numLayers = float(sxglobals.settings.project['LayerCount']) materialName = 'SXExportShader' sxglobals.settings.material = SFXNetwork.create(materialName) shaderID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='TraditionalGameSurfaceShader') black_node = sxglobals.settings.material.add(sfxnodes.Color) black_node.name = 'black' black_node.color = [0, 0, 0, 1] black_node.posx = -250 black_node.posy = 250 alphaIf_node = sxglobals.settings.material.add(sfxnodes.IfElseBasic) alphaIf_node.name = 'alphaColorIf' alphaIf_node.posx = -750 alphaIf_node.posy = 0 uvIf_node = sxglobals.settings.material.add(sfxnodes.IfElseBasic) uvIf_node.name = 'uvIf' uvIf_node.posx = -1000 uvIf_node.posy = 250 uConst_node = sxglobals.settings.material.add(sfxnodes.VectorConstruct) uConst_node.posx = -1250 uConst_node.posy = 500 uConst_node.name = 'uComp' vConst_node = sxglobals.settings.material.add(sfxnodes.VectorConstruct) vConst_node.posx = -1250 vConst_node.posy = 750 vConst_node.name = 'vComp' index_node = sxglobals.settings.material.add(sfxnodes.IntValue) index_node.posx = -2500 index_node.posy = 500 index_node.name = 'uvIndex' uvIndexID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvIndex') sxglobals.settings.exportNodeDict['uvIndex'] = uvIndexID indexRef_node = sxglobals.settings.material.add(sfxnodes.IntValue) indexRef_node.posx = -2500 indexRef_node.posy = 750 indexRef_node.value = maskIndex indexRef_node.name = 'uvMaskIndex' indexBool_node = sxglobals.settings.material.add(sfxnodes.BoolValue) indexBool_node.posx = -2500 indexBool_node.posy = 1000 indexBool_node.name = 'indexBool' indexBoolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='indexBool') ifUv3_node = sxglobals.settings.material.add(sfxnodes.IfElse) ifUv3_node.posx = -1250 ifUv3_node.posy = 1000 divU_node = sxglobals.settings.material.add(sfxnodes.Divide) divU_node.posx = -1000 divU_node.posy = 500 divU_node.name = 'divU' divUID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='divU') divV_node = sxglobals.settings.material.add(sfxnodes.Divide) divV_node.posx = -1000 divV_node.posy = 750 divV_node.name = 'divV' divVID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='divV') divVal_node = sxglobals.settings.material.add(sfxnodes.Float3) divVal_node.posx = -2500 divVal_node.posy = 1250 divVal_node.valueX = numLayers divVal_node.valueY = numLayers divVal_node.valueZ = numLayers divVal_node.name = 'divVal' uv0_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv0_node.name = 'uv0String' uv0_node.posx = -2250 uv0_node.posy = 500 uv0_node.value = 'UV0' uv1_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv1_node.name = 'uv1String' uv1_node.posx = -2250 uv1_node.posy = 750 uv1_node.value = 'UV1' uv2_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv2_node.name = 'uv2String' uv2_node.posx = -2250 uv2_node.posy = 1000 uv2_node.value = 'UV2' uv3_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv3_node.name = 'uv3String' uv3_node.posx = -2250 uv3_node.posy = 1250 uv3_node.value = 'UV3' uv4_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv4_node.name = 'uv4String' uv4_node.posx = -2250 uv4_node.posy = 1500 uv4_node.value = 'UV4' uvPath_node = sxglobals.settings.material.add(sfxnodes.PathDirectionList) uvPath_node.posx = -2000 uvPath_node.posy = 500 uPath_node = sxglobals.settings.material.add(sfxnodes.PathDirection) uPath_node.name = 'uPath' uPath_node.posx = -750 uPath_node.posy = 500 uPathID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uPath') vPath_node = sxglobals.settings.material.add(sfxnodes.PathDirection) vPath_node.name = 'vPath' vPath_node.posx = -750 vPath_node.posy = 750 vPathID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='vPath') vertcol_node = sxglobals.settings.material.add(sfxnodes.VertexColor) vertcol_node.posx = -1750 vertcol_node.posy = 0 uvset_node = sxglobals.settings.material.add(sfxnodes.UVSet) uvset_node.posx = -1750 uvset_node.posy = 500 uvset_node.name = 'uvSet' uvID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvSet') vectComp_node = sxglobals.settings.material.add(sfxnodes.VectorComponent) vectComp_node.posx = -1500 vectComp_node.posy = 500 vectComp_node.name = 'uvSplitter' uvBool_node = sxglobals.settings.material.add(sfxnodes.Bool) uvBool_node.posx = -2000 uvBool_node.posy = 250 uvBool_node.name = 'uvBool' uvBoolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvBool') sxglobals.settings.exportNodeDict['uvBool'] = uvBoolID colorBool_node = sxglobals.settings.material.add(sfxnodes.Bool) colorBool_node.posx = -2000 colorBool_node.posy = 0 colorBool_node.name = 'colorBool' colorBoolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='colorBool') sxglobals.settings.exportNodeDict['colorBool'] = colorBoolID # Create connections sxglobals.settings.material.connect( index_node.outputs.int, uvPath_node.inputs.index) sxglobals.settings.material.connect( uv0_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv1_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv2_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv3_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv4_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uvPath_node.outputs.result, (uvID, 1)) sxglobals.settings.material.connect( index_node.outputs.int, ifUv3_node.inputs.a) sxglobals.settings.material.connect( indexRef_node.outputs.int, ifUv3_node.inputs.b) sxglobals.settings.material.connect( indexBool_node.outputs.bool, ifUv3_node.inputs.true) sxglobals.settings.material.connect( (indexBoolID, 1), ifUv3_node.inputs.false) sxglobals.settings.material.connect( ifUv3_node.outputs.result, (uPathID, 0)) sxglobals.settings.material.connect( ifUv3_node.outputs.result, (vPathID, 0)) sxglobals.settings.material.connect( uvset_node.outputs.uv, vectComp_node.inputs.vector) sxglobals.settings.material.connect( vectComp_node.outputs.x, uConst_node.inputs.x) sxglobals.settings.material.connect( vectComp_node.outputs.x, uConst_node.inputs.y) sxglobals.settings.material.connect( vectComp_node.outputs.x, uConst_node.inputs.z) sxglobals.settings.material.connect( vectComp_node.outputs.y, vConst_node.inputs.x) sxglobals.settings.material.connect( vectComp_node.outputs.y, vConst_node.inputs.y) sxglobals.settings.material.connect( vectComp_node.outputs.y, vConst_node.inputs.z) sxglobals.settings.material.connect( uConst_node.outputs.float3, (divUID, 0)) sxglobals.settings.material.connect( vConst_node.outputs.float3, (divVID, 0)) sxglobals.settings.material.connect( divVal_node.outputs.float3, (divUID, 1)) sxglobals.settings.material.connect( divVal_node.outputs.float3, (divVID, 1)) sxglobals.settings.material.connect( divU_node.outputs.result, uPath_node.inputs.a) sxglobals.settings.material.connect( divV_node.outputs.result, vPath_node.inputs.a) sxglobals.settings.material.connect( uConst_node.outputs.float3, uPath_node.inputs.b) sxglobals.settings.material.connect( vConst_node.outputs.float3, vPath_node.inputs.b) sxglobals.settings.material.connect( uvBool_node.outputs.bool, uvIf_node.inputs.condition) sxglobals.settings.material.connect( uPath_node.outputs.result, uvIf_node.inputs.true) sxglobals.settings.material.connect( vPath_node.outputs.result, uvIf_node.inputs.false) sxglobals.settings.material.connect( colorBool_node.outputs.bool, alphaIf_node.inputs.condition) sxglobals.settings.material.connect( vertcol_node.outputs.rgb, alphaIf_node.inputs.true) sxglobals.settings.material.connect( uvIf_node.outputs.result, alphaIf_node.inputs.false) sxglobals.settings.material.connect( alphaIf_node.outputs.result, (shaderID, 1)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 3)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 5)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 6)) sxglobals.settings.material.connect( black_node.outputs.red, (shaderID, 4)) sxglobals.settings.material.connect( black_node.outputs.red, (shaderID, 7)) # Initialize network to show attributes in Maya AE maya.cmds.shaderfx(sfxnode=materialName, update=True) maya.cmds.createNode('shadingEngine', n='SXExportShaderSG') maya.cmds.setAttr('.ihi', 0) maya.cmds.setAttr('.ro', True) # originally 'yes' maya.cmds.createNode('materialInfo', n='SXMaterials_materialInfo2') maya.cmds.connectAttr( 'SXExportShader.oc', 'SXExportShaderSG.ss') maya.cmds.connectAttr( 'SXExportShaderSG.msg', 'SXMaterials_materialInfo2.sg') maya.cmds.relationship( 'link', ':lightLinker1', 'SXExportShaderSG.message', ':defaultLightSet.message') maya.cmds.relationship( 'shadowLink', ':lightLinker1', 'SXExportShaderSG.message', ':defaultLightSet.message') maya.cmds.connectAttr( 'SXExportShaderSG.pa', ':renderPartition.st', na=True) # maya.cmds.connectAttr( # 'SXExportShader.msg', ':defaultShaderList1.s', na=True) def createSXExportShader(self): if maya.cmds.objExists('SXExportShader'): maya.cmds.delete('SXExportShader') if maya.cmds.objExists('SXExportShaderSG'): maya.cmds.delete('SXExportShaderSG') maskID = sxglobals.settings.project['LayerData']['layer1'][2] maskIndex = int(maskID[1]) numLayers = float(sxglobals.settings.project['LayerCount']) materialName = 'SXExportShader' sxglobals.settings.material = SFXNetwork.create(materialName) shaderID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='TraditionalGameSurfaceShader') black_node = sxglobals.settings.material.add(sfxnodes.Color) black_node.name = 'black' black_node.color = [0, 0, 0, 1] black_node.posx = -250 black_node.posy = 250 alphaIf_node = sxglobals.settings.material.add(sfxnodes.IfElseBasic) alphaIf_node.name = 'alphaColorIf' alphaIf_node.posx = -750 alphaIf_node.posy = 0 uvIf_node = sxglobals.settings.material.add(sfxnodes.IfElseBasic) uvIf_node.name = 'uvIf' uvIf_node.posx = -1000 uvIf_node.posy = 250 uConst_node = sxglobals.settings.material.add(sfxnodes.VectorConstruct) uConst_node.posx = -1250 uConst_node.posy = 500 uConst_node.name = 'uComp' vConst_node = sxglobals.settings.material.add(sfxnodes.VectorConstruct) vConst_node.posx = -1250 vConst_node.posy = 750 vConst_node.name = 'vComp' index_node = sxglobals.settings.material.add(sfxnodes.IntValue) index_node.posx = -2500 index_node.posy = 500 index_node.name = 'uvIndex' uvIndexID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvIndex') sxglobals.settings.exportNodeDict['uvIndex'] = uvIndexID divBool_node = sxglobals.settings.material.add(sfxnodes.BoolValue) divBool_node.posx = -2500 divBool_node.posy = 1000 divBool_node.name = 'divBool' divBoolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='divBool') sxglobals.settings.exportNodeDict['divBool'] = divBoolID divU_node = sxglobals.settings.material.add(sfxnodes.Divide) divU_node.posx = -1000 divU_node.posy = 500 divU_node.name = 'divU' divUID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='divU') divV_node = sxglobals.settings.material.add(sfxnodes.Divide) divV_node.posx = -1000 divV_node.posy = 750 divV_node.name = 'divV' divVID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='divV') divVal_node = sxglobals.settings.material.add(sfxnodes.Float3) divVal_node.posx = -2500 divVal_node.posy = 1250 divVal_node.valueX = numLayers divVal_node.valueY = numLayers divVal_node.valueZ = numLayers divVal_node.name = 'divVal' uv0_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv0_node.name = 'uv0String' uv0_node.posx = -2250 uv0_node.posy = 500 uv0_node.value = 'UV0' uv1_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv1_node.name = 'uv1String' uv1_node.posx = -2250 uv1_node.posy = 750 uv1_node.value = 'UV1' uv2_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv2_node.name = 'uv2String' uv2_node.posx = -2250 uv2_node.posy = 1000 uv2_node.value = 'UV2' uv3_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv3_node.name = 'uv3String' uv3_node.posx = -2250 uv3_node.posy = 1250 uv3_node.value = 'UV3' uv4_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv4_node.name = 'uv4String' uv4_node.posx = -2250 uv4_node.posy = 1500 uv4_node.value = 'UV4' uvPath_node = sxglobals.settings.material.add(sfxnodes.PathDirectionList) uvPath_node.posx = -2000 uvPath_node.posy = 500 uPath_node = sxglobals.settings.material.add(sfxnodes.PathDirection) uPath_node.name = 'uPath' uPath_node.posx = -750 uPath_node.posy = 500 uPathID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uPath') vPath_node = sxglobals.settings.material.add(sfxnodes.PathDirection) vPath_node.name = 'vPath' vPath_node.posx = -750 vPath_node.posy = 750 vPathID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='vPath') vertcol_node = sxglobals.settings.material.add(sfxnodes.VertexColor) vertcol_node.posx = -1750 vertcol_node.posy = 0 uvset_node = sxglobals.settings.material.add(sfxnodes.UVSet) uvset_node.posx = -1750 uvset_node.posy = 500 uvset_node.name = 'uvSet' uvID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvSet') vectComp_node = sxglobals.settings.material.add(sfxnodes.VectorComponent) vectComp_node.posx = -1500 vectComp_node.posy = 500 vectComp_node.name = 'uvSplitter' uvBool_node = sxglobals.settings.material.add(sfxnodes.Bool) uvBool_node.posx = -2000 uvBool_node.posy = 250 uvBool_node.name = 'uvBool' uvBoolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvBool') sxglobals.settings.exportNodeDict['uvBool'] = uvBoolID colorBool_node = sxglobals.settings.material.add(sfxnodes.Bool) colorBool_node.posx = -2000 colorBool_node.posy = 0 colorBool_node.name = 'colorBool' colorBoolID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='colorBool') sxglobals.settings.exportNodeDict['colorBool'] = colorBoolID # Create connections sxglobals.settings.material.connect( index_node.outputs.int, uvPath_node.inputs.index) sxglobals.settings.material.connect( uv0_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv1_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv2_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv3_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uv4_node.outputs.string, uvPath_node.inputs.options) sxglobals.settings.material.connect( uvPath_node.outputs.result, (uvID, 1)) sxglobals.settings.material.connect( divBool_node.outputs.bool, (uPathID, 0)) sxglobals.settings.material.connect( divBool_node.outputs.bool, (vPathID, 0)) sxglobals.settings.material.connect( uvset_node.outputs.uv, vectComp_node.inputs.vector) sxglobals.settings.material.connect( vectComp_node.outputs.x, uConst_node.inputs.x) sxglobals.settings.material.connect( vectComp_node.outputs.x, uConst_node.inputs.y) sxglobals.settings.material.connect( vectComp_node.outputs.x, uConst_node.inputs.z) sxglobals.settings.material.connect( vectComp_node.outputs.y, vConst_node.inputs.x) sxglobals.settings.material.connect( vectComp_node.outputs.y, vConst_node.inputs.y) sxglobals.settings.material.connect( vectComp_node.outputs.y, vConst_node.inputs.z) sxglobals.settings.material.connect( uConst_node.outputs.float3, (divUID, 0)) sxglobals.settings.material.connect( vConst_node.outputs.float3, (divVID, 0)) sxglobals.settings.material.connect( divVal_node.outputs.float3, (divUID, 1)) sxglobals.settings.material.connect( divVal_node.outputs.float3, (divVID, 1)) sxglobals.settings.material.connect( divU_node.outputs.result, uPath_node.inputs.a) sxglobals.settings.material.connect( divV_node.outputs.result, vPath_node.inputs.a) sxglobals.settings.material.connect( uConst_node.outputs.float3, uPath_node.inputs.b) sxglobals.settings.material.connect( vConst_node.outputs.float3, vPath_node.inputs.b) sxglobals.settings.material.connect( uvBool_node.outputs.bool, uvIf_node.inputs.condition) sxglobals.settings.material.connect( uPath_node.outputs.result, uvIf_node.inputs.true) sxglobals.settings.material.connect( vPath_node.outputs.result, uvIf_node.inputs.false) sxglobals.settings.material.connect( colorBool_node.outputs.bool, alphaIf_node.inputs.condition) sxglobals.settings.material.connect( vertcol_node.outputs.rgb, alphaIf_node.inputs.true) sxglobals.settings.material.connect( uvIf_node.outputs.result, alphaIf_node.inputs.false) sxglobals.settings.material.connect( alphaIf_node.outputs.result, (shaderID, 1)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 3)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 5)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 6)) sxglobals.settings.material.connect( black_node.outputs.red, (shaderID, 4)) sxglobals.settings.material.connect( black_node.outputs.red, (shaderID, 7)) # Initialize network to show attributes in Maya AE maya.cmds.shaderfx(sfxnode=materialName, update=True) maya.cmds.createNode('shadingEngine', n='SXExportShaderSG') maya.cmds.setAttr('.ihi', 0) maya.cmds.setAttr('.ro', True) # originally 'yes' maya.cmds.createNode('materialInfo', n='SXMaterials_materialInfo2') maya.cmds.connectAttr( 'SXExportShader.oc', 'SXExportShaderSG.ss') maya.cmds.connectAttr( 'SXExportShaderSG.msg', 'SXMaterials_materialInfo2.sg') maya.cmds.relationship( 'link', ':lightLinker1', 'SXExportShaderSG.message', ':defaultLightSet.message') maya.cmds.relationship( 'shadowLink', ':lightLinker1', 'SXExportShaderSG.message', ':defaultLightSet.message') maya.cmds.connectAttr( 'SXExportShaderSG.pa', ':renderPartition.st', na=True) # maya.cmds.connectAttr( # 'SXExportShader.msg', ':defaultShaderList1.s', na=True) def createSXExportOverlayShader(self): if maya.cmds.objExists('SXExportOverlayShader'): maya.cmds.delete('SXExportOverlayShader') if maya.cmds.objExists('SXExportOverlayShaderSG'): maya.cmds.delete('SXExportOverlayShaderSG') UV1 = None UV2 = None for value in sxglobals.settings.project['LayerData'].values(): if value[4]: UV1 = value[2][0] UV2 = value[2][1] if UV1 is None: print( 'SX Tools: No overlay layer specified,' 'skipping SXExportOverlayShader') return materialName = 'SXExportOverlayShader' sxglobals.settings.material = SFXNetwork.create(materialName) shaderID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='TraditionalGameSurfaceShader') black_node = sxglobals.settings.material.add(sfxnodes.Color) black_node.name = 'black' black_node.color = [0, 0, 0, 1] black_node.posx = -250 black_node.posy = 250 uv1_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv1_node.name = 'uv1String' uv1_node.posx = -2250 uv1_node.posy = -250 uv1_node.value = UV1 uv2_node = sxglobals.settings.material.add(sfxnodes.StringValue) uv2_node.name = 'uv2String' uv2_node.posx = -2250 uv2_node.posy = 250 uv2_node.value = UV2 uvset1_node = sxglobals.settings.material.add(sfxnodes.UVSet) uvset1_node.posx = -2000 uvset1_node.posy = -250 uvset1_node.name = 'uvSet1' uv1ID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvSet1') uvset2_node = sxglobals.settings.material.add(sfxnodes.UVSet) uvset2_node.posx = -2000 uvset2_node.posy = 250 uvset2_node.name = 'uvSet2' uv2ID = maya.cmds.shaderfx( sfxnode=materialName, getNodeIDByName='uvSet2') vectComp1_node = sxglobals.settings.material.add(sfxnodes.VectorComponent) vectComp1_node.posx = -1750 vectComp1_node.posy = -250 vectComp1_node.name = 'uvSplitter1' vectComp2_node = sxglobals.settings.material.add(sfxnodes.VectorComponent) vectComp2_node.posx = -1750 vectComp2_node.posy = 250 vectComp2_node.name = 'uvSplitter2' rgbConst_node = sxglobals.settings.material.add(sfxnodes.VectorConstruct) rgbConst_node.posx = -1500 rgbConst_node.posy = 0 rgbConst_node.name = 'rgbCombiner' # Create connections sxglobals.settings.material.connect( uv1_node.outputs.string, (uv1ID, 1)) sxglobals.settings.material.connect( uv2_node.outputs.string, (uv2ID, 1)) sxglobals.settings.material.connect( uvset1_node.outputs.uv, vectComp1_node.inputs.vector) sxglobals.settings.material.connect( uvset2_node.outputs.uv, vectComp2_node.inputs.vector) sxglobals.settings.material.connect( vectComp1_node.outputs.x, rgbConst_node.inputs.x) sxglobals.settings.material.connect( vectComp1_node.outputs.y, rgbConst_node.inputs.y) sxglobals.settings.material.connect( vectComp2_node.outputs.x, rgbConst_node.inputs.z) sxglobals.settings.material.connect( rgbConst_node.outputs.float3, (shaderID, 3)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 1)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 5)) sxglobals.settings.material.connect( black_node.outputs.rgb, (shaderID, 6)) sxglobals.settings.material.connect( black_node.outputs.red, (shaderID, 4)) sxglobals.settings.material.connect( black_node.outputs.red, (shaderID, 7)) # Initialize network to show attributes in Maya AE maya.cmds.shaderfx(sfxnode=materialName, update=True) maya.cmds.createNode('shadingEngine', n='SXExportOverlayShaderSG') maya.cmds.setAttr('.ihi', 0) maya.cmds.setAttr('.ro', True) # originally 'yes' maya.cmds.createNode('materialInfo', n='SXMaterials_materialInfo3') maya.cmds.connectAttr( 'SXExportOverlayShader.oc', 'SXExportOverlayShaderSG.ss') maya.cmds.connectAttr( 'SXExportOverlayShaderSG.msg', 'SXMaterials_materialInfo3.sg') maya.cmds.relationship( 'link', ':lightLinker1', 'SXExportOverlayShaderSG.message', ':defaultLightSet.message') maya.cmds.relationship( 'shadowLink', ':lightLinker1', 'SXExportOverlayShaderSG.message', ':defaultLightSet.message') maya.cmds.connectAttr( 'SXExportOverlayShaderSG.pa', ':renderPartition.st', na=True) # maya.cmds.connectAttr( # 'SXExportShader.msg', ':defaultShaderList1.s', na=True) def createSXPBShader(self): if maya.cmds.objExists('SXPBShader'): maya.cmds.delete('SXPBShader') if maya.cmds.objExists('SXPBShaderSG'): maya.cmds.delete('SXPBShaderSG') nodeIDs = [] channels = ('occlusion', 'metallic', 'smoothness', 'transmission', 'emission') uvDict = {} pbmatName = 'SXPBShader' pbmat = StingrayPBSNetwork.create(pbmatName) nodeCount = maya.cmds.shaderfx(sfxnode=pbmatName, getNodeCount=True) shaderID = maya.cmds.shaderfx( sfxnode=pbmatName, getNodeIDByName='Standard_Base') maya.cmds.shaderfx( sfxnode=pbmatName, edit_action=(shaderID, "makeunique")) for i in range(nodeCount): nodeIDs.append( maya.cmds.shaderfx( sfxnode='SXPBShader', getNodeUIDFromIndex=i)) for node in nodeIDs: maya.cmds.shaderfx(sfxnode='SXPBShader', deleteNode=node) shader_node = pbmat.add(pbsnodes.StandardBase) shader_node.posx = 0 shader_node.posy = 0 shader_node.name = 'StandardBase' shaderID = maya.cmds.shaderfx( sfxnode=pbmatName, getNodeIDByName='StandardBase') vertCol_node = pbmat.add(pbsnodes.VertexColor0) vertCol_node.posx = -1000 vertCol_node.posy = -250 vertCol_node.name = 'vertCol' # vertColID = maya.cmds.shaderfx( # sfxnode=pbmatName, # getNodeIDByName='vertCol') black_node = pbmat.add(pbsnodes.ConstantVector3) black_node.posx = -1250 black_node.posy = 0 black_node.name = 'black' blackID = maya.cmds.shaderfx( sfxnode=pbmatName, getNodeIDByName='black') for idx, channel in enumerate(channels): if sxglobals.settings.project['LayerData'][channel][5]: if int(sxglobals.settings.project['LayerData'][channel][2][1]) == 1: uv_node = pbmat.add(pbsnodes.Texcoord1) elif int(sxglobals.settings.project['LayerData'][channel][2][1]) == 2: uv_node = pbmat.add(pbsnodes.Texcoord2) elif int(sxglobals.settings.project['LayerData'][channel][2][1]) == 3: uv_node = pbmat.add(pbsnodes.Texcoord3) uv_node.posx = -1000 uv_node.posy = idx * 250 uv_node.name = channel uvID = maya.cmds.shaderfx( sfxnode=pbmatName, getNodeIDByName=channel) uvDict[channel] = uvID else: uvDict[channel] = blackID inv_node = pbmat.add(pbsnodes.Invert) inv_node.posx = -750 inv_node.posy = 0 inv_node.name = 'invert' invID = maya.cmds.shaderfx( sfxnode=pbmatName, getNodeIDByName='invert') # Create connections pbmat.connect( vertCol_node.outputs.rgba, (shaderID, 1)) pbmat.connect( (uvDict['occlusion'], 0), (shaderID, 8)) if sxglobals.settings.project['LayerData']['occlusion'][2][0] == 'U': shader_node.activesocket = 8 shader_node.socketswizzlevalue = 'x' elif sxglobals.settings.project['LayerData']['occlusion'][2][0] == 'V': shader_node.activesocket = 8 shader_node.socketswizzlevalue = 'y' pbmat.connect( (uvDict['metallic'], 0), (shaderID, 5)) if sxglobals.settings.project['LayerData']['metallic'][2][0] == 'U': shader_node.activesocket = 5 shader_node.socketswizzlevalue = 'x' elif sxglobals.settings.project['LayerData']['metallic'][2][0] == 'V': shader_node.activesocket = 5 shader_node.socketswizzlevalue = 'y' pbmat.connect( (uvDict['smoothness'], 0), (invID, 0)) pbmat.connect( (invID, 0), (shaderID, 6)) if sxglobals.settings.project['LayerData']['smoothness'][2][0] == 'U': inv_node.activesocket = 0 inv_node.socketswizzlevalue = 'x' elif sxglobals.settings.project['LayerData']['smoothness'][2][0] == 'V': inv_node.activesocket = 0 inv_node.socketswizzlevalue = 'y' pbmat.connect( (uvDict['emission'], 0), (shaderID, 7)) if sxglobals.settings.project['LayerData']['emission'][2][0] == 'U': shader_node.activesocket = 7 shader_node.socketswizzlevalue = 'xxx' elif sxglobals.settings.project['LayerData']['emission'][2][0] == 'V': shader_node.activesocket = 7 shader_node.socketswizzlevalue = 'yyy' pbmat.connect( (uvDict['transmission'], 0), (shaderID, 10)) if sxglobals.settings.project['LayerData']['transmission'][2][0] == 'U': shader_node.activesocket = 10 shader_node.socketswizzlevalue = 'x' elif sxglobals.settings.project['LayerData']['transmission'][2][0] == 'V': shader_node.activesocket = 10 shader_node.socketswizzlevalue = 'y' # Initialize network to show attributes in Maya AE maya.cmds.shaderfx(sfxnode=pbmatName, update=True) maya.cmds.createNode('shadingEngine', n='SXPBShaderSG') maya.cmds.setAttr('.ihi', 0) maya.cmds.setAttr('.ro', True) # originally 'yes' maya.cmds.createNode('materialInfo', n='SXMaterials_materialInfo4') maya.cmds.connectAttr( 'SXPBShader.oc', 'SXPBShaderSG.ss') maya.cmds.connectAttr( 'SXPBShaderSG.msg', 'SXMaterials_materialInfo4.sg') maya.cmds.relationship( 'link', ':lightLinker1', 'SXPBShaderSG.message', ':defaultLightSet.message') maya.cmds.relationship( 'shadowLink', ':lightLinker1', 'SXPBShaderSG.message', ':defaultLightSet.message') maya.cmds.connectAttr( 'SXPBShaderSG.pa', ':renderPartition.st', na=True) # maya.cmds.connectAttr( # 'SXExportShader.msg', ':defaultShaderList1.s', na=True) # The pre-vis material depends on lights in the scene # to correctly display occlusion def createSubMeshMaterials(self): if maya.cmds.objExists('sxSubMeshShader1'): maya.cmds.delete('sxSubMeshShader1') if maya.cmds.objExists('sxSubMeshShader1SG'): maya.cmds.delete('sxSubMeshShader1SG') if maya.cmds.objExists('sxSubMeshShader2'): maya.cmds.delete('sxSubMeshShader2') if maya.cmds.objExists('sxSubMeshShader2SG'): maya.cmds.delete('sxSubMeshShader2SG') if maya.cmds.objExists('sxSubMeshShader3'): maya.cmds.delete('sxSubMeshShader3') if maya.cmds.objExists('sxSubMeshShader3SG'): maya.cmds.delete('sxSubMeshShader3SG') maya.cmds.shadingNode('surfaceShader', asShader=True, name='sxSubMeshShader1') maya.cmds.sets(renderable=True, noSurfaceShader=True, empty=True, name='sxSubMeshShader1SG') maya.cmds.connectAttr('sxSubMeshShader1.outColor', 'sxSubMeshShader1SG.surfaceShader') maya.cmds.setAttr('sxSubMeshShader1.outColor', 1, 0, 0) maya.cmds.shadingNode('surfaceShader', asShader=True, name='sxSubMeshShader2') maya.cmds.sets(renderable=True, noSurfaceShader=True, empty=True, name='sxSubMeshShader2SG') maya.cmds.connectAttr('sxSubMeshShader2.outColor', 'sxSubMeshShader2SG.surfaceShader') maya.cmds.setAttr('sxSubMeshShader2.outColor', 0, 1, 0) maya.cmds.shadingNode('surfaceShader', asShader=True, name='sxSubMeshShader3') maya.cmds.sets(renderable=True, noSurfaceShader=True, empty=True, name='sxSubMeshShader3SG') maya.cmds.connectAttr('sxSubMeshShader3.outColor', 'sxSubMeshShader3SG.surfaceShader') maya.cmds.setAttr('sxSubMeshShader3.outColor', 0, 0, 1) def createDefaultLights(self): setUpdated = False if len(maya.cmds.ls(type='light')) == 0: print('SX Tools: No lights found, creating default lights.') maya.cmds.directionalLight( name='defaultSXDirectionalLight', rotation=(-25, 30, 0), position=(0, 50, 0)) maya.cmds.setAttr( 'defaultSXDirectionalLight.useRayTraceShadows', 1) maya.cmds.setAttr( 'defaultSXDirectionalLight.lightAngle', 10.0) maya.cmds.ambientLight( name='defaultSXAmbientLight', intensity=0.4, ambientShade=0, position=(0, 50, 0)) setUpdated = True return setUpdated def createCreaseSets(self): numCreaseSets = 5 setUpdated = False if not maya.cmds.objExists('sxCreasePartition'): maya.cmds.createNode( 'partition', n='sxCreasePartition') setUpdated = True for i in xrange(numCreaseSets): setName = 'sxCrease' + str(i) if not maya.cmds.objExists(setName): maya.cmds.createNode( 'creaseSet', n=setName) maya.cmds.setAttr( setName + '.creaseLevel', i * 0.25) maya.cmds.connectAttr( setName + '.partition', 'sxCreasePartition.sets[' + str(i) + ']') setUpdated = True if setUpdated: maya.cmds.setAttr( 'sxCrease' + str(numCreaseSets - 1) + '.creaseLevel', 10) return setUpdated def createSubMeshSets(self): setUpdated = False if not maya.cmds.objExists('sxSubMeshPartition'): maya.cmds.createNode( 'partition', n='sxSubMeshPartition') setUpdated = True if not maya.cmds.objExists('sxSubMesh0'): maya.cmds.createNode( 'objectSet', n='sxSubMesh0') maya.cmds.connectAttr( 'sxSubMesh0.partition', 'sxSubMeshPartition.sets[0]') setUpdated = True if not maya.cmds.objExists('sxSubMesh1'): maya.cmds.createNode( 'objectSet', n='sxSubMesh1') maya.cmds.connectAttr( 'sxSubMesh1.partition', 'sxSubMeshPartition.sets[1]') setUpdated = True if not maya.cmds.objExists('sxSubMesh2'): maya.cmds.createNode( 'objectSet', n='sxSubMesh2') maya.cmds.connectAttr( 'sxSubMesh2.partition', 'sxSubMeshPartition.sets[2]') setUpdated = True return setUpdated def createDisplayLayers(self): setUpdated = False if 'assetsLayer' not in maya.cmds.ls(type='displayLayer'): print('SX Tools: Creating assetsLayer') maya.cmds.createDisplayLayer( name='assetsLayer', number=1, empty=True) setUpdated = True if 'skinMeshLayer' not in maya.cmds.ls(type='displayLayer'): print('SX Tools: Creating skinMeshLayer') maya.cmds.createDisplayLayer( name='skinMeshLayer', number=2, empty=True) setUpdated = True if 'exportsLayer' not in maya.cmds.ls(type='displayLayer'): print('SX Tools: Creating exportsLayer') maya.cmds.createDisplayLayer( name='exportsLayer', number=3, empty=True) setUpdated = True return setUpdated def setPrimVars(self): refLayers = sxglobals.layers.sortLayers( sxglobals.settings.project['LayerData'].keys()) if refLayers == 'layer1': refLayers = 'layer1', for obj in sxglobals.settings.objectArray: flagList = maya.cmds.listAttr(obj, ud=True) if flagList is None: flagList = [] if ('staticVertexColors' not in flagList): maya.cmds.addAttr( obj, ln='staticVertexColors', at='bool', dv=False) if ('subdivisionLevel' not in flagList): maya.cmds.addAttr( obj, ln='subdivisionLevel', at='byte', min=0, max=5, dv=0) if ('subMeshes' not in flagList): maya.cmds.addAttr( obj, ln='subMeshes', at='bool', dv=False) if ('hardEdges' not in flagList): maya.cmds.addAttr( obj, ln='hardEdges', at='bool', dv=True) if ('creaseBevels' not in flagList): maya.cmds.addAttr( obj, ln='creaseBevels', at='bool', dv=False) if ('smoothingAngle' not in flagList): maya.cmds.addAttr( obj, ln='smoothingAngle', at='byte', min=0, max=180, dv=80) if ('versionIdentifier' not in flagList): maya.cmds.addAttr( obj, ln='versionIdentifier', at='byte', min=0, max=255, dv=1) for shape in sxglobals.settings.shapeArray: attrList = maya.cmds.listAttr(shape, ud=True) if attrList is None: attrList = [] if ('activeLayerSet' not in attrList): maya.cmds.addAttr( shape, ln='activeLayerSet', at='double', min=0, max=10, dv=0) if ('numLayerSets' not in attrList): maya.cmds.addAttr( shape, ln='numLayerSets', at='double', min=0, max=9, dv=0) if ('transparency' not in attrList): maya.cmds.addAttr( shape, ln='transparency', at='double', min=0, max=1, dv=0) if ('shadingMode' not in attrList): maya.cmds.addAttr( shape, ln='shadingMode', at='double', min=0, max=2, dv=0) if ('occlusionVisibility' not in attrList): maya.cmds.addAttr( shape, ln='occlusionVisibility', at='double', min=0, max=1, dv=1) if ('metallicVisibility' not in attrList): maya.cmds.addAttr( shape, ln='metallicVisibility', at='double', min=0, max=1, dv=1) if ('smoothnessVisibility' not in attrList): maya.cmds.addAttr( shape, ln='smoothnessVisibility', at='double', min=0, max=1, dv=1) if ('transmissionVisibility' not in attrList): maya.cmds.addAttr( shape, ln='transmissionVisibility', at='double', min=0, max=1, dv=1) if ('emissionVisibility' not in attrList): maya.cmds.addAttr( shape, ln='emissionVisibility', at='double', min=0, max=1, dv=1) if ('occlusionBlendMode' not in attrList): maya.cmds.addAttr( shape, ln='occlusionBlendMode', at='double', min=0, max=2, dv=0) if ('metallicBlendMode' not in attrList): maya.cmds.addAttr( shape, ln='metallicBlendMode', at='double', min=0, max=2, dv=0) if ('smoothnessBlendMode' not in attrList): maya.cmds.addAttr( shape, ln='smoothnessBlendMode', at='double', min=0, max=2, dv=0) if ('transmissionBlendMode' not in attrList): maya.cmds.addAttr( shape, ln='transmissionBlendMode', at='double', min=0, max=2, dv=0) if ('emissionBlendMode' not in attrList): maya.cmds.addAttr( shape, ln='emissionBlendMode', at='double', min=0, max=2, dv=0) for k in range(0, sxglobals.settings.project['LayerCount']): blendName = str(refLayers[k]) + 'BlendMode' visName = str(refLayers[k]) + 'Visibility' if (blendName not in attrList): maya.cmds.addAttr( shape, ln=blendName, at='double', min=0, max=2, dv=0) if (visName not in attrList): maya.cmds.addAttr( shape, ln=visName, at='double', min=0, max=1, dv=1)
github_open_source_100_1_153
Github OpenSource
Various open source
config const cond = false; class C { } record R { var x: int = 0; var ptr: owned C = new owned C(); proc init() { this.x = 0; writeln("init"); } proc init(arg:int) { this.x = arg; writeln("init ", arg); } proc init=(other: R) { this.x = other.x; writeln("init= ", other.x); } } proc =(ref lhs:R, rhs:R) { writeln("= ", lhs.x, " ", rhs.x); lhs.x = rhs.x; } // Just indicates other statements proc f(arg) { } proc makeR(arg:int) throws { return new R(arg); } proc test() throws { writeln("test"); writeln("x"); var x:R = makeR(0); writeln("no00"); var no00:R; try { no00 = makeR(1); } writeln(no00); writeln("no01"); var no01:R; try! { no01 = makeR(2); } writeln(no01); writeln("no1"); var no1:R; try { no1 = makeR(1); } catch e { writeln(e); } writeln(no1); writeln("no2"); var no2:R; try { no2 = makeR(1); } catch e { writeln(e); } writeln(no2); writeln("no3"); var no3:R; try { } catch e { no3 = makeR(1); writeln(e); } writeln(no3); } try! test();
github_open_source_100_1_154
Github OpenSource
Various open source
// NodeBotPi // Written by Zachary Joswick // Repository: https://github.com/ZacharyJoswick/NodeBotPi // This is the main control application for the NodeBotPi system // For more information see the main repository var five = require("johnny-five"), board = new five.Board({ repl: false, port: "/dev/ttyUSB0" }); var express = require('express'); var app = express(); const server = require('http').createServer(app); const io = require('socket.io').listen(server); app.use(express.static(__dirname + '/public')); app.get('/', function (req, res, next) { res.sendFile(__dirname + '/public/index.html') }); var right_motor; var left_motor; board.on("ready", function () { right_motor = new five.Motor({ pins: { pwm: 9, dir: 8 }, invertPWM: true }); left_motor = new five.Motor({ pins: { pwm: 11, dir: 10 }, invertPWM: true }); }); var nJoyX; //Joysitck X Input var nJoyY; //Joysitck y Input var nMotMixL; // Motor Left Mixed output var nMotMixR; // Motor Right Mixed output var fPivYLimit = 32.0; // Pivot Action Threshold var nMotPremixL; // Motor Left Premixed Output var nMotPremixR; // Motor Right Premixed Output var nPivSpeed; // Pivot Speed var fPivScale; // Balance scale B/W drive and pivot io.on('connection', function (client) { client.on('join', function (handshake) { console.log(handshake); }); client.on('start', function () { right_motor.forward(100); left_motor.forward(100); }); client.on('stop', function () { // console.log("stop"); right_motor.stop(); left_motor.stop(); }); client.on('move', function (data) { // console.log(data); //console.log("x:", data.instance.frontPosition.x, "y:", data.instance.frontPosition.y); nJoyX = data.instance.frontPosition.x; nJoyY = data.instance.frontPosition.y; // Calculate Drive Turn output due to Joystick X input if (nJoyY >= 0) { // Forward nMotPremixL = (nJoyX >= 0) ? 127.0 : (127.0 + nJoyX); nMotPremixR = (nJoyX >= 0) ? (127.0 - nJoyX) : 127.0; } else { // Reverse nMotPremixL = (nJoyX >= 0) ? (127.0 - nJoyX) : 127.0; nMotPremixR = (nJoyX >= 0) ? 127.0 : (127.0 + nJoyX); } // Scale Drive output due to Joystick Y input (throttle) nMotPremixL = nMotPremixL * nJoyY / 128.0; nMotPremixR = nMotPremixR * nJoyY / 128.0; // Now calculate pivot amount // - Strength of pivot (nPivSpeed) based on Joystick X input // - Blending of pivot vs drive (fPivScale) based on Joystick Y input nPivSpeed = nJoyX; fPivScale = (Math.abs(nJoyY) > fPivYLimit) ? 0.0 : (1.0 - Math.abs(nJoyY) / fPivYLimit); // Calculate final mix of Drive and Pivot nMotMixL = (1.0 - fPivScale) * nMotPremixL + fPivScale * (nPivSpeed); nMotMixR = (1.0 - fPivScale) * nMotPremixR + fPivScale * (-nPivSpeed); nMotMixL = nMotMixL * 1.8; nMotMixR = nMotMixR * 1.8; if (nMotMixL < 0) { right_motor.forward(Math.abs(nMotMixL)); } else { right_motor.reverse(nMotMixL); } if (nMotMixR < 0) { left_motor.forward(Math.abs(nMotMixR)); } else { left_motor.reverse(nMotMixR); } }); }); const port = process.env.PORT || 80; server.listen(port); console.log(`Server listening on http://localhost:${port}`);
github_open_source_100_1_155
Github OpenSource
Various open source
module github.com/ipfs/go-ipfs-blockstore require ( github.com/hashicorp/golang-lru v0.5.4 github.com/ipfs/bbloom v0.0.4 github.com/ipfs/go-block-format v0.0.3 github.com/ipfs/go-cid v0.0.7 github.com/ipfs/go-datastore v0.5.0 github.com/ipfs/go-ipfs-ds-help v1.1.0 github.com/ipfs/go-ipfs-util v0.0.2 github.com/ipfs/go-ipld-format v0.3.0 github.com/ipfs/go-log v0.0.1 github.com/ipfs/go-metrics-interface v0.0.1 github.com/multiformats/go-multihash v0.0.14 go.uber.org/atomic v1.6.0 ) require ( github.com/gogo/protobuf v1.2.1 // indirect github.com/google/uuid v1.1.1 // indirect github.com/jbenet/goprocess v0.1.4 // indirect github.com/mattn/go-colorable v0.1.1 // indirect github.com/mattn/go-isatty v0.0.5 // indirect github.com/minio/blake2b-simd v0.0.0-20160723061019-3f5f724cb5b1 // indirect github.com/minio/sha256-simd v0.1.1-0.20190913151208-6de447530771 // indirect github.com/mr-tron/base58 v1.1.3 // indirect github.com/multiformats/go-base32 v0.0.3 // indirect github.com/multiformats/go-base36 v0.1.0 // indirect github.com/multiformats/go-multibase v0.0.3 // indirect github.com/multiformats/go-varint v0.0.5 // indirect github.com/opentracing/opentracing-go v1.0.2 // indirect github.com/spaolacci/murmur3 v1.1.0 // indirect github.com/whyrusleeping/go-logging v0.0.0-20170515211332-0457bb6b88fc // indirect golang.org/x/crypto v0.0.0-20190611184440-5c40567a22f8 // indirect golang.org/x/net v0.0.0-20190620200207-3b0461eec859 // indirect golang.org/x/sys v0.0.0-20190412213103-97732733099d // indirect ) go 1.19
952175b0910e7c419a1bced34e645bf9_1
French Open Data
Various open data
Paris, le 22 janvier 2024 Finatis Modalités de mise à disposition des documents relatifs à l’Assemblée générale du 12 février 2024 La société Finatis informe ses Actionnaires qu’ils sont convoqués en Assemblée Générale Ordinaire le lundi 12 février 2024, à 11 heures, à l’Hôtel Marriott Champs -Elysées, 70 -72 avenue des Champs -Elysées, 75008 Paris, dans le cadre d’une procédure d’alerte initiée par ses Commissaires aux comptes conformément à l’article L. 234 -1 et suivants du Code de commerce. L’avis de convocation valant avis préalable de réunion comportant l’ordre du jour et le texte des résolutions a été publié au Bulletin des Annonces Légales Obligatoires du 22 janvier 2024 (bulletin n° 10) et dans le support Actu -Juridique du même jour. Les modalités de participation et de vote à cette assemblée figurent dans ce t avis. Les informations et documents relatifs à cette Assemblée peuvent être consultés sur le site internet de la Société : https://www.finatis.fr L’ensemble des documents et renseignements concernant cette Assemblée sont tenus à la disposition des Actionnaires dans les conditions prévues par la réglementation en vigueur. _________________________________________________________________________________________ Contact presse : PLEAD Étienne Dubanchet +33 6 62 70 09 43 etienne.dubanchet@plead.fr.
244778_1
Caselaw_Access_Project
Public Domain
Motion of appellee to dismiss appeal sustained..
github_open_source_100_1_156
Github OpenSource
Various open source
-- phpMyAdmin SQL Dump -- version 4.4.15.7 -- http://www.phpmyadmin.net -- -- Хост: 127.0.0.1:3306 -- Время создания: Янв 31 2017 г., 23:23 -- Версия сервера: 5.5.50 -- Версия PHP: 5.5.37 SET SQL_MODE = "NO_AUTO_VALUE_ON_ZERO"; SET time_zone = "+00:00"; /*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */; /*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */; /*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */; /*!40101 SET NAMES utf8mb4 */; -- -- База данных: `mosst` -- -- -------------------------------------------------------- -- -- Структура таблицы `category` -- CREATE TABLE IF NOT EXISTS `category` ( `id` int(255) NOT NULL, `parent_id` int(255) DEFAULT NULL, `name` varchar(255) NOT NULL, `img` varchar(255) NOT NULL, `keywords` varchar(255) DEFAULT NULL, `description` varchar(255) DEFAULT NULL, `popular` int(11) DEFAULT NULL ) ENGINE=MyISAM AUTO_INCREMENT=56 DEFAULT CHARSET=utf8; -- -- Дамп данных таблицы `category` -- INSERT INTO `category` (`id`, `parent_id`, `name`, `img`, `keywords`, `description`, `popular`) VALUES (1, NULL, 'Грузовая техника', '', NULL, NULL, NULL), (2, NULL, 'Дорожная техника', '', NULL, NULL, NULL), (3, NULL, 'Землеройная техника', '', NULL, NULL, NULL), (4, NULL, 'Комунальная техника', '', NULL, NULL, NULL), (5, NULL, 'Подьемная техника', '', NULL, NULL, NULL), (6, 1, 'Бензовозы', 'benzovoz.png', NULL, NULL, 1), (7, 1, 'Вахтовые автобусы', '', NULL, NULL, NULL), (8, 1, 'Водовозы', '', NULL, NULL, NULL), (9, 1, 'Грузовики', 'bortovoj-gruzovik.png', NULL, NULL, 1), (10, 1, 'Длинномеры', '', NULL, NULL, NULL), (11, 1, 'Зерновозы', '', NULL, NULL, NULL), (12, 1, 'Лесовозы', '', NULL, NULL, NULL), (13, 1, 'Ломовозы', '', NULL, NULL, NULL), (14, 1, 'Панелевозы', '', NULL, NULL, NULL), (15, 1, 'Самосвалы', 'samosval.png', NULL, NULL, 1), (16, 1, 'Тралы', 'tral.png', NULL, NULL, 1), (17, 1, 'Трубовозы', '', NULL, NULL, NULL), (18, 1, 'Тягачи', 'tyagach.png', NULL, NULL, 1), (19, 1, 'Эвакуаторы', 'evakuator.png', NULL, NULL, 1), (20, 2, 'Асфальтоукладчики', '', NULL, NULL, NULL), (21, 2, 'Бетоновозы', '', NULL, NULL, NULL), (22, 2, 'Бетононасосы', 'avtobetononasos.png', NULL, NULL, 1), (23, 2, 'Битумовозы', '', NULL, NULL, NULL), (24, 2, 'Виброплиты', '', NULL, NULL, NULL), (25, 2, 'Катки', 'dorozhnyj-katok.png', NULL, NULL, 1), (26, 2, 'Компрессоры', 'kompressor.png', NULL, NULL, 1), (27, 2, 'Цементовозы', '', NULL, NULL, NULL), (28, 3, 'Бары', 'bara.png', NULL, NULL, 1), (29, 3, 'Бульдозеры', 'buldozer.png', NULL, NULL, 1), (30, 3, 'Гидромолоты', '', NULL, NULL, NULL), (31, 3, 'Грейдеры', 'avtogrejder.png', NULL, NULL, 1), (32, 3, 'Гусеничные экскаваторы', '', NULL, NULL, NULL), (33, 3, 'Сваебои', '', NULL, NULL, NULL), (34, 3, 'Установки ГБН', '', NULL, NULL, NULL), (35, 3, 'Фронтальные погрузчики', 'frontalnyj-pogruzchik.png', NULL, NULL, 1), (36, 3, 'Экскаваторы погрузчики', 'ekskavator.png', NULL, NULL, 1), (37, 3, 'Ямобуры', 'yamobur.png', NULL, NULL, 1), (38, 4, 'Ассенизаторы', '', NULL, NULL, NULL), (39, 4, 'Илососы', '', NULL, NULL, NULL), (40, 4, 'Каналопромывочные машины', '', NULL, NULL, NULL), (41, 4, 'Комбинированные машины', '', NULL, NULL, NULL), (42, 4, 'Поливомоечные машины', '', NULL, NULL, NULL), (43, 4, 'Снегоуборщики', '', NULL, NULL, NULL), (44, 4, 'Пескоразбрасыватели', '', NULL, NULL, NULL), (45, 5, 'Автовышки', 'avtovyshka.png', NULL, NULL, 1), (46, 5, 'Автокраны', 'avtokran.png', NULL, NULL, 1), (47, 5, 'Башенные краны', 'bashennyj-kran.png', NULL, NULL, 1), (48, 5, 'Вилочные погрузчики', 'vilochnyj-pogruzchik.png', NULL, NULL, 1), (49, 5, 'Грейферы', '', NULL, NULL, NULL), (50, 5, 'Гусеничные краны', '', NULL, NULL, NULL), (51, 5, 'Манипуляторы', 'manipulyator.png', NULL, NULL, NULL), (52, 5, 'Мини погрузчики', '', NULL, NULL, NULL), (53, 5, 'Подьемники', '', NULL, NULL, NULL), (54, 5, 'Телескопические погрузчики', '', NULL, NULL, NULL), (55, 5, 'Трубоукладчики', '', NULL, NULL, NULL); -- -------------------------------------------------------- -- -- Структура таблицы `products` -- CREATE TABLE IF NOT EXISTS `products` ( `id` int(11) NOT NULL, `id_category` int(11) NOT NULL, `name` varchar(255) NOT NULL, `content` varchar(255) DEFAULT NULL, `price` int(11) NOT NULL, `payment_form` varchar(255) CHARACTER SET utf8 NOT NULL, `provider` int(11) DEFAULT NULL, `data` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP, `keywords` varchar(255) DEFAULT NULL, `description` varchar(255) DEFAULT NULL, `img` varchar(255) DEFAULT NULL, `new` int(1) DEFAULT NULL, `hit` int(1) DEFAULT NULL, `sale` int(1) DEFAULT NULL ) ENGINE=MyISAM AUTO_INCREMENT=7 DEFAULT CHARSET=utf8mb4; -- -- Дамп данных таблицы `products` -- INSERT INTO `products` (`id`, `id_category`, `name`, `content`, `price`, `payment_form`, `provider`, `data`, `keywords`, `description`, `img`, `new`, `hit`, `sale`) VALUES (4, 32, 'Мини экскаватор Hitachi ZX27U', NULL, 1000, 'Наличный и Безналичный', 0, '0000-00-00 00:00:00', NULL, NULL, '552_big.jpg', NULL, NULL, NULL), (5, 32, 'Мини экскаваторы Komatsu PC50', NULL, 1100, 'Наличный и Безналичный', 0, '2017-01-24 21:00:00', NULL, NULL, 'Komatsu-50-6.jpg', NULL, NULL, NULL), (6, 15, 'Автосамосвалы Камаз кузов 12.5м (по обьекту)', 'Перевозка грузов, уборка и вывоз снега, вывоз грунта, вывоз строительного мусора. А так же любая дорожно-строительная техника', 1100, 'наличный и безналичный', 0, '2017-01-27 04:44:46', NULL, NULL, 'kamaz55111-3.jpg', NULL, NULL, NULL); -- -------------------------------------------------------- -- -- Структура таблицы `provider` -- CREATE TABLE IF NOT EXISTS `provider` ( `id` int(11) NOT NULL, `name` varchar(255) NOT NULL, `call_provider` int(11) DEFAULT NULL, `email` varchar(255) CHARACTER SET utf8 NOT NULL, `adress` varchar(255) CHARACTER SET utf8 NOT NULL, `contact_user` varchar(255) CHARACTER SET utf8 NOT NULL ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4; -- -------------------------------------------------------- -- -- Структура таблицы `users` -- CREATE TABLE IF NOT EXISTS `users` ( `id` int(11) NOT NULL, `name` int(11) NOT NULL, `pasword` varchar(255) NOT NULL, `email` varchar(255) NOT NULL, `user_role` int(11) NOT NULL ) ENGINE=MyISAM DEFAULT CHARSET=utf8; -- -- Индексы сохранённых таблиц -- -- -- Индексы таблицы `category` -- ALTER TABLE `category` ADD PRIMARY KEY (`id`); -- -- Индексы таблицы `products` -- ALTER TABLE `products` ADD PRIMARY KEY (`id`); -- -- Индексы таблицы `provider` -- ALTER TABLE `provider` ADD PRIMARY KEY (`id`); -- -- Индексы таблицы `users` -- ALTER TABLE `users` ADD PRIMARY KEY (`id`); -- -- AUTO_INCREMENT для сохранённых таблиц -- -- -- AUTO_INCREMENT для таблицы `category` -- ALTER TABLE `category` MODIFY `id` int(255) NOT NULL AUTO_INCREMENT,AUTO_INCREMENT=56; -- -- AUTO_INCREMENT для таблицы `products` -- ALTER TABLE `products` MODIFY `id` int(11) NOT NULL AUTO_INCREMENT,AUTO_INCREMENT=7; -- -- AUTO_INCREMENT для таблицы `provider` -- ALTER TABLE `provider` MODIFY `id` int(11) NOT NULL AUTO_INCREMENT; -- -- AUTO_INCREMENT для таблицы `users` -- ALTER TABLE `users` MODIFY `id` int(11) NOT NULL AUTO_INCREMENT; /*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */; /*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */; /*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
github_open_source_100_1_157
Github OpenSource
Various open source
<?php namespace App\Http\Controllers; use App\Models\Producto; use App\Models\Movimiento; use Illuminate\Http\Request; class ProductosController extends Controller { public function index(){ $productos = Producto::all(); return view('carga', compact('productos')); } public function store(Request $request){ $producto = new Producto(); $producto ->nombre = $request ->nombre; $producto ->sku_provee = $request ->sku_provee; $producto ->status = $request ->status; $producto ->barra = $request ->barra; $producto ->cantidad_empaque = $request ->cantidad_empaque; $producto ->id_user= $request ->id_user; // $producto ->name = $request ->name; $producto -> save(); $movimiento = new Movimiento(); $movimiento ->condicion = $request ->condicion; $movimiento ->sku_provee = $request ->sku_provee; $movimiento ->moneda = $request ->moneda; $movimiento ->cbulto = $request ->cbulto; $movimiento ->cunidad= $request ->cunidad; $movimiento ->psugerido = $request ->psugerido; $movimiento ->cantidades= $request ->cantidades; // $producto ->name = $request ->name; $movimiento -> save(); } public function masivo(){ return('product'); }}
github_open_source_100_1_158
Github OpenSource
Various open source
package com.moparisthebest.dns.net; @FunctionalInterface public interface FullBufChanCompletionHandler { void completed(BufChan bc); }
github_open_source_100_1_159
Github OpenSource
Various open source
/** Material source descriptor is used to keep material source that can be loaded with MaterialSourceManager. It loads material source from given source path and then goes on to load sources necessary to load the material fully */ var MaterialSourceDescriptor=Descriptor.extend({ /** Constructor. @param source Material source path */ init: function(source) { this._super(); this.source=source; }, type: function() { return "MaterialSourceDescriptor"; }, equals: function(other) { return this.source==other.source; } });