• Refine Query
  • Source
  • Publication year
  • to
  • Language
  • 97
  • 71
  • 63
  • 4
  • 1
  • 1
  • 1
  • Tagged with
  • 237
  • 136
  • 102
  • 75
  • 75
  • 75
  • 75
  • 65
  • 61
  • 46
  • 46
  • 34
  • 25
  • 20
  • 19
  • About
  • The Global ETD Search service is a free service for researchers to find electronic theses and dissertations. This service is provided by the Networked Digital Library of Theses and Dissertations.
    Our metadata is collected from universities around the world. If you manage a university/consortium/country archive and want to be added, details can be found on the NDLTD website.
1

La centralitat del llenguatge en l'antropologia de Lluís Duch: reflexió filosòfica sobre la noció d'emparaulament

Ferrer i Borrell, Elies 31 October 2014 (has links)
This thesis examines the proposal anthropological thinker Catalan Lluís Duch, paying special attention to their understanding of language as the core of anthropology. It is considered especially his notion of «emparaulament». In the introduction to the thesis there is a description and justification of the value of this research. The work is divided into two parts. The first part deals with introductory matters: it contains a short biography of Lluís Duch, a depth exploration production and a full discussion of the anthropological method of the author studied. The second part, which is the main body of the thesis, is a philosophical reflection on the centrality of language in the play anthropological study. Ten theses about duquian anthropology of language are collected and analysed. After this reflection, our work shows the influence of some contemporary thinkers in the work of Lluís Duch. Our work ends with conclusions on Lluís Duch’s anthropology in general and on our study in particular. / Aquesta tesi doctoral estudia la proposta antropològica del pensador català Lluís Duch, parant una atenció especial a la seva comprensió del llenguatge com a eix vertebrador de l’antropologia. Es considera especialment la seva noció d’«emparaulament». A la introducció de la tesi s’exposa i es justifica el valor d’aquesta investigació. El treball es divideix en dues parts. La primera part s’ocupa de qüestions introductòries: conté una petita biografia de Lluís Duch, un ampli recorregut per la seva producció bibliogràfica i una discussió sobre el mètode antropològic de l’autor estudiat. La segona part del treball, que és el cos principal de la tesi, és una reflexió filosòfica sobre la centralitat del llenguatge en l’obra antropològica que estudiem. Es recullen i s’analitzen deu tesis de l’antropologia duquiana sobre el llenguatge. Acabada aquesta reflexió, el treball recull la influència d’alguns pensadors contemporanis en l’obra de Lluís Duch. El treball es tanca amb unes conclusions sobre l’antropologia de Lluís Duch en general i sobre el nostre estudi en particular.
2

Algoritmos de asignación basados en un nuevo modelo de representación de programas paralelos

Roig Mateu, Concepció 24 July 2002 (has links)
En el momento de ejecutar una aplicación paralela, el programador (o el usuario) se enfrenta a decisiones importantes para reducir el tiempo de ejecución global, tales como cuántos procesadores ha de usar para ejecutar la aplicación y, dado un número de procesadores, cómo distribuir las tareas de la aplicación aprovechando al máximo su capacidad de concurrencia. Al problema de resolver la distribución de las tareas de una manera global se le conoce como el problema del mapping.En la literatura existen dos formas distintas de abordar el problema del mapping en función del conocimiento que se tiene de la aplicación. Cuando el comportamiento de la aplicación es conocido (o predecible) a priori, la asignación se realiza de forma estática (antes de la ejecución), y las tareas se ejecutan en el procesador asignado hasta que finalizan. Por el contrario, cuando el comportamiento de la aplicación no es predecible, la asignación se realiza de forma dinámica, y las tareas pueden cambiar de procesador durante la ejecución. En el presente trabajo nos centramos en el proceso de mapping estático. Para la realización de este proceso, el programa paralelo se suele representar mediante un modelo de grafo de tareas ponderado, que resume las características más relevantes estimadas del comportamiento de la aplicación. En función del tipo de aplicación, en la literatura se utilizan principalmente dos modelos de grafo. Para aplicaciones cuyas tareas se comunican únicamente por el principio y el final, el modelo, denominado TPG (Task Precedence Graph), refleja las comunicaciones y precedencias entre las tareas y el orden parcial de ejecución de las mismas. Cuando se trata de aplicaciones cuyas tareas tienen comunicaciones en cualquier punto, e incluso comunicaciones bidireccionales, en la literatura se utiliza un modelo simplificado, denominado TIG (Task Interaction Graph), en el que no se contemplan las precedencias y se asume que todas las tareas pueden ser simultáneas.Ahora bien, en los entornos actuales de paso de mensajes, el programador no está sujeto a ninguna restricción en cuanto a la ubicación de las primitivas de comunicación dentro de las tareas. Además, debido al tipo de problemas que se resuelven computacionalmente, existe en los últimos años un creciente interés en el desarrollo de aplicaciones formadas por un conjunto de tareas que realizan distintas funciones y que coordinan su ejecución mediante intercambios de información en cualquier punto dentro de las mismas.Para modelar el comportamiento de las aplicaciones con paralelismo de tareas, con un patrón de interacciones entre tareas arbitrario, se propone un nuevo modelo de grafo, denominado Temporal Task Interaction Graph (TTIG). Dicho modelo incluye un nuevo parámetro, denominado grado de paralelismo, que indica la máxima capacidad de concurrencia de las tareas que se comunican, en función de las dependencias provocadas por dichas comunicaciones.A partir del comportamiento obtenido de la aplicación, se propone un mecanismo para determinar las cotas teóricas mínima y máxima sobre el número de procesadores necesario para realizar su ejecución en un tiempo mínimo. A partir del modelo TTIG se definen nuevas políticas de mapping de distintas complejidades que realizan las asignaciones de tareas teniendo en cuenta la posibilidad de concurrencia entre las mismas que indica el grado de paralelismo.En los entornos actuales de paso de mensajes PVM y MPI, la política de mapping que se usa por defecto es una distribución de las tareas basada en el orden de activación de las mismas. Dada la simplicidad de este mecanismo, dichos entornos se mejoran integrando un proceso automático para la extracción del grafo TTIG y para aplicar una política de mapping basada en dicho modelo. / Parallel programming presents the programmers (or the users) with daunting problems when attempting to achieve efficient execution. Two of these problems are to decide how many processors are necessary to execute the application and, for a specific number of processors, how to distribute the application tasks by exploiting their ability of concurrency, also known as the mapping problem.Mapping strategies can be classified as either static or dynamic, depending on the knowledge of the application. When the application has predictable run-time behaviour (i.e. the behaviour is loosely dependent on the input values), the mapping is carried out statically before execution. However, for applications whose run-time behaviour is not deterministic or not so predictable, performing mapping only once at the beginning is insufficient. For these cases the mapping is carried out dynamically during run-time.In this work, we focus on the static mapping problem. In order to accomplish the static mapping efficiently, the characteristics of the parallel program have to be known or estimated prior to execution. In this case, the application is represented in a task graph that summarizes the application behaviour.Depending on the characteristics of the application to be modelled, two distinct task graph models have been extensively used in the literature. The Task Precedence Graph (TPG), is a directed graph where nodes and arcs represent the tasks and the task precedence constraints respectively. This is effective for applications where interactions between tasks take place only at the beginning and at the end of their execution. On the other hand, distributed applications where the executing tasks are required to communicate during their lifetime rather than just at the initiation and at the end, are usually modelled in the literature by the Task Interaction Graph (TIG). This is an undirected graph that does not include temporal information and it is normally assumed that all the tasks may run in parallel.In current message-passing environments, the programmer has no restriction about the allocation of communication primitives inside tasks. Moreover, there is growing interest in the development of applications composed of a set of tasks carrying out different functions (i.e. with task parallelism) that coordinate one to each other through message transference at any point inside them.To model these applications that have an arbitrary task interaction pattern, we propose a new task graph model, called Temporal Task Interaction Graph (TTIG), that captures temporal information about parallel programs with a new parameter called degree of parallelism. This gives information about the potential concurrency that each pair of adjacent tasks can achieve, according to their mutual dependencies.From the definition of the application behaviour, a heuristic method is proposed to determine the theoretical maximum and minimum number of processors that are necessary to execute the application in the minimum time.Starting from the TTIG model, two new mapping algorithms are defined with different complexities, that carry out the allocation according to the ability of concurrency of tasks indicated by the degree of parallelism.In current message-passing environments PVM and MPI, the processor mapping mechanism is based on simply heuristics that take decisions independently of the relationship exhibited by tasks. Thus, these environments are enhanced by integrating an automatic mechanism to extract the TTIG for a given application, and to apply a mapping heuristic based on the model.
3

A new distributed diffusion algorithm for dynamic load-balancing in parallel systems

Cortés Fité, Ana 04 December 2000 (has links)
No description available.
4

Spatial structures and Information Processing in Nonlinear Optical Cavities

Jacobo, Adrian 03 April 2009 (has links)
No description available.
5

MUSS: a contribution to the structural analysis of continuous system simulation languages

Guasch, Antoni 14 October 1987 (has links)
En contrast amb els llenguatges clàssics de simulació, la tendència actual evoluciona cap a entorns de modelatge i simulació completament integrats. Aquests entorns combinen tècniques interdisciplinàries tals com IA, programació orientada a objectes, gestió de bases de dades y modelat de sistemes.Per aconseguir els anteriors objectius, la arquitectura del llenguatge de simulació i del entorn d'execució de la simulació te que ser dissenyat de manera que permeti la modularitat i la flexibilitat. Addicionalment, la robustesa del entorn te que ser potenciada.Aquesta tesi proposa el sistema de simulació MUSS, que emfatitza els següents aspectes innovadors: la arquitectura jeràrquica del llenguatge de simulació MISS, les fases de preprocés i de segmentació, y la estructura del entorn d'execució de la simulació i altres mecanismes de gestió relacionats. L'entorn MUSS pot tenir estudis, experiments y submodels; els submodels continus poden tenir regions inicial, dinàmica i estàtica. Els submodels son traduïts en codi objecte en aïllament gràcies al procediment de segmentació proposat. Aquest procediment esta basat en el concepte de digraf del submodel. La metodologia de segmentació incrementa la modularitat i flexibilitat del sistema evitant la estructura restrictiva dels submodels actuals. El digraf del submodel també es utilitzat per avaluar la consistència del codi. / In contrast with classical simulation languages, the present trends are evolving towards fully integrated interactive modelling and simulation environments. These environments have to combine interdisciplinary techniques such IA, object oriented programming, data base management and system modelling.To achieve the above objectives, the architecture of the simulation programming language and that of the run-time simulation environment which exercises the models should be designed allowing modularity and flexibility. Furthermore, the robustness of the environment should be reinforced.The thesis proposes the MUSS simulation system, emphasizing the innovative concepts put forwards: the hierarchical architecture of the MUSS simulation language, the pre-processor analysis and segmentation phases and the structure of the run-time simulation environment and related management mechanisms.A MUSS environment may enclose studies, experiments and submodels; continuous submodels may have initial, dynamic and static regions. Submodels are translated to object code in isolation thanks to the proposed segmentation procedure which in turn is based on the defined submodel digraph concept. The segmentation methodology increases the modularity and flexibility of the system avoiding the restricted general structure of the submodels. The submodel digraph is also used to test the consistency of the code.
6

Actualització consistent de bases de dades deductives

Mayol Sarroca, Enric 03 April 2000 (has links)
En aquesta tesi, proposem un nou mètode per a l'actualització consistent de bases de dades deductives. Donada una petició d'actualització, aquest mètode tradueix de forma automàtica aquesta petició en el conjunt de totes les possibles formes d'actualitzar la base de dades extensional de forma que la petició sigui satisfeta i que no es violi cap restricció d'integritat. Aquest nostre mètode està basat en un conjunt de regles que defineixen la diferència entre dos estats consecutius de la base de dades. Aquesta diferència es determina definint explícitament les insercions, esborrats i les modificacions que es poden induir com a conseqüència de l'aplicació d'una actualització a la base de dades. El mètode està basat en una extensió del procediment de resolució SLDNF. Sigui D una base de dades deductiva, A(D) la base de dades augmentada associada, U una petició inicial d'actualització i T un conjunt d'actualitzacions de fets bàsics. Direm que el conjunt T satisfà la petició d'actualització U i no viola cap restricció d'integritat de D si, utilitzant la resolució SLDNF, l'objectiu  U  ¬Ic té èxit amb el conjunt d'entrada A(D)  T. Així doncs, el mètode consistirà en fer tenir èxit a les derivacions SLDNF fracassades. Per a fer-ho, s'inclouran al conjunt T aquelles actualitzacions de fets bàsics que cal realitzar per tal de que la derivació assoleixi l'èxit. Les diferent formes com es pot assolir aquest èxit es corresponen a les diferents solucions a la petició d'actualització U. El mètode proposat es demostra que és correcte i complet. En aquest sentit, es garanteix que donada una petició d'actualització U, el mètode obté totes les possibles formes de satisfer aquesta petició i que, a la vegada, se satisfacin les restriccions d'integritat definides a la base de dades. A diferència d'altres mètodes, el nostre gestiona les modificacions de fets com un nou tipus d'actualització bàsic. Aquest nou tipus d'actualització, junt amb la demostració de correctesa i completesa, és una de les principals aportacions del nostre mètode respecte els mètodes apareguts recentment. La segona gran aportació del nostre mètode és el fet d'utilitzar tècniques per a millorar l'eficiència del procés de traducció de vistes i del procés de manteniment de restriccions d'integritat. Per a millorar l'eficiència del procés de manteniment de restriccions d'integritat, proposem una tècnica per a determinar l'ordre en què cal comprovar les restriccions d'integritat. Aquesta tècnica està basada en la generació en temps de compilació del anomenat Graf de Precedències, el qual estableix les relacions entre violadors i reparadors potencials d'aquestes restriccions. Aquest Graf és utilitzat en temps d'execució per a determinar l'ordre en què es comproven i reparen les restriccions d'integritat. Aquest ordre redueix el nombre de vegades que cada restricció d'integritat ha de ser comprovada (i reparada) després de reparar qualsevol altre restricció. Per a millorar l'eficiència del procés d'actualització de vistes, proposem fer una anàlisi de la petició d'actualització, del contingut de la base de dades i de les regles de la base de dades augmentada abans d'iniciar la traducció de la petició d'actualització U. Aquesta anàlisi té com a objectiu el minimitzar el nombre d'accessos al contingut de base de dades que cal realitzar per a traduir la petició d'actualització, i per altra banda, aquesta anàlisi també ha de permetre determinar quines alternatives no podran donar lloc a una traducció vàlida a la petició U, permetent així, considerar únicament aquelles alternatives que sí proporcionaran una traducció vàlida a U. / Deductive databases generalize relational databases by including not only base facts and integrity constraints, but also deductive rules. Several problems may arise when a deductive database is updated. The problems that are addressed in this thesis are those of integrity maintenance and view updating. Integrity maintenance is aimed to ensure that, after a database update, integrity constraints remain satisfied. When these integrity constraints are violated by some update, such violations must be repaired by performing additional updates. The second problem we deal with is view updating. In a deductive database, derived facts are not explicitly stored into the database and they are deduced from base facts using deductive rules. Therefore, requests to update view (or derived) facts must be appropriately translated into correct updates of the underlying base facts. There is a close relationship between updating a deductive database and maintaining integrity constraints because, in general, integrity constraints can only be violated when performing an update. For instance, updates of base facts obtained as a result of view updating could violate some integrity constraint. On the other hand, to repair an integrity constraint could require to solve the view update problem when integrity constraint may be defined by some derived predicate.In this thesis, we propose a method that deals satisfactorily and efficiently with both problems in an integrated way. In this sense, given an update request, our method automatically translates it into all possible ways of changing the extensional database such that the update request is satisfied and no integrity constraint is violated. Concretely, we formally define the proposed method and we prove its soundness and completeness. The method is sound and complete in the sense that it provides all possible ways to satisfy an update request and that each provided solution satisfies the update request and does not violate any integrity constraint. Moreover, to compare how our method extends previous work in the area, we have proposed a general framework that allows us to classify and to compare previous research in the field of view updating and integrity constraint maintenance. This framework is based on taking into account five relevant dimensions that participate into this process, i.e. the kind of update requests, the database schema considered, the problem addressed, the solutions obtained and the technique used to obtain these solutions. Efficiency issues are also addressed in our approach, either for integrity maintenance as well as for view updating.To perform integrity maintenance efficiently, we propose a technique for determining the order in which integrity constraints should be handled. This technique is based on the generation at compile time of a graph, the Precedence Graph, which states the relationships between potential violations and potential repairs of integrity constraints. This graph is used at run-time to determine the proper order to check and repair integrity constraints. This order reduces significantly the number of times that each integrity constraint needs to be reconsidered after any integrity constraint repair. To improve efficiency during view updating, we propose to perform an initial analysis of the update request, the database contents and the rules of the database. The purpose of this analysis is to minimize the number of accesses to the base facts needed to translate a view update request and to explore only relevant alternatives that may lead to valid solutions of the update request. Furthermore, a detailed comparison with respect to some methods for integrity maintenance that consider efficiency issues is also provided, showing several contributions of our approach.
7

On the design and implementation of flexible software platforms to facilitate the development of advanced graphics applications

Fairen Gonzalez, Marta 23 November 2000 (has links)
This thesis presents the design and implementation of a software development platform (ATLAS) which offers some tools and methods to greatly simplify the construction of fairly sophisticated applications. It allows thus programmers to include advanced features in their applications with no or very little extra information and effort. These features include: the splitting of the application in distinct processes that may be distributed over a network; a powerful configuration and scripting language; several tools including an input system to easily construct reasonable interfaces; a flexible journaling mechanism --offering fault-tolerance to crashes of processes or communications--; and other features designed for graphics applications, like a global data identification- --addressing the problem of volatile references and giving support to processes of constraint solving--, and a uniform but flexible view of inputs allowing many different dialogue modes.These can be seen as related or overlapping with CORBA or other systems like Horus or Arjuna, but none of them addresses simultaneously all aspects included in ATLAS; more specifically none of them offers a standardized input model, a configuration and macro language, a journaling mechanism or gives support to processes of constraints solving and parametric design.The contributions of ATLAS are in showing how all these requirements can be addressed together; also in showing means by which this can be attained with little or no performance cost and without imposing on developers the need of mastering all these techniques. Finally, the design of the ATLAS journaling system is to our knowledge original in the simultaneous solution of all of its requirements.
8

Accesibilidad en entornos web interactivos: superación de las barreras digitales

Pascual Almenara, Afra 16 April 2015 (has links)
A diario, millones de personas sin conocimientos técnicos publican contenido en la web en blogs, wikis, redes sociales, etc. A pesar de existir recomendaciones de accesibilidad, como las pautas WCAG y ATAG de la W3C y que estas se han convertido en normativas (la norma ISO/IEC 40500:2012, la norma UNE 139803:2012 en España, o la Sección 508 en Estados Unidos) e incluso leyes de obligado cumplimiento, la accesibilidad de la web es todavía una característica raramente implementada hoy en día. Los usuarios, inconscientemente, siguen publicando contenido que presenta barreras a las personas con discapacidad y que afectan sus derechos civiles. Esta tesis doctoral explora esta problemática y, con la intención de solucionarla, pone el foco en la comunicación de las barreras de accesibilidad a las personas que publican contenido en la web sin conocimientos técnicos. La hipótesis que fundamenta la tesis es que «reduciendo la complejidad de la información relacionada con la accesibilidad, se propiciaría la aplicación de criterios de autoría accesibles, aumentando la calidad general del contenido web». A partir de técnicas relacionadas con el DCU y la Ingeniería Semiótica (IngSem) se hace una propuesta de comunicación de las barreras de accesibilidad, que se demuestra en una prueba de concepto, el sistema Emphatic Editor for Accessibility (EE4A). / Diàriament, milions de persones sense coneixements tècnics publiquen contingut a la web a blogs, wikis, xarxes socials, etc. Tot i que existeixen recomanacions d’accessibilitat, com les pautes WCAG i ATAG de la W3A i que aquestes s’han convertit en normativa (la norma ISO/IEC 40500:2012, la norma UNE 139803:2012 a Espanya, o la Secció 508 als Estats Units) i a més hi ha lleis d’obligat compliment, l’accessibilitat de la web és encara una característica rarament implementada avui en dia. Els usuaris, inconscientment, segueixen publicant continguts que presenten barreres per a les persones amb discapacitat i que afecta als seus drets civils. Aquesta tesi doctoral explora aquest problemàtica i, amb la intenció de solucionar-la, posa el focus en la comunicació de les barreres d’accessibilitat a les persones que publiquen contingut a la web sense coneixement tècnics. La hipòtesis que fonamenta la tesi és que « reduint la complexitat de la informació relacionada amb l’accessibilitat, es propiciaria l’aplicació de criteris d’autoria accessibles, augmentant la qualitat general del contingut web». A partir de tècniques relacionades amb el DCU i l’Enginyeria Semiòtica (IngSem) es fa una proposta de comunicació de les barreres d’accessibilitat, que es demostra en una prova de concepte, el sistema Emphatic Editor for Accessibility (EE4A). / Every day, thousands of users with non-technical knowledge publish web content on blogs, wikis, social networks, etc. Although there are accessibility recommendations, such as WCAG and ATAG W3C guidelines, and that they have become standards (ISO/IEC 40500: 2012, UNE 139803: 2012 in Spain, or Section 508 in United States) and even mandatory laws, web accessibility is still a feature rarely implemented today. Users, unconscious of accessibility requirements, keep on publishing content which presents barriers to people with disabilities, and which impact their civil rights. This PhD explores this issue, aiming at find a solution, and puts the focus on the communication of accessibility barriers to people who publish web content without technical knowledge. The hypothesis underlying the thesis is that «reducing the complexity of the information related with accessibility would help the application of accessible criteria in authoring, and would increase the overall quality of web content». With techniques related with DCU and Semiotics Engineering (IngSem), the PhD thesis makes a proposal of communication of accessibility barriers, demonstrated through a proof of concept, the Emphatic Editor for Accessibility (EE4A).
9

Interacting with semantic web data through an automatic information architecture

Brunetti Fernández, Josep Maria 16 December 2013 (has links)
La proliferació d'iniciatives de publicació de dades com Linked Open Data ha incrementat la quantitat de dades semàntiques disponibles per analitzar i reutilitzar, però en molts casos és molt difícil pels usuaris explorar i utilitzar aquestes dades quan no tenen experiència en tecnologies de Web Semàntica. La nostra contribució per a solventar aquest problema és aplicar el Visual Information-Seeking Mantra: “Primer una visió general, enfocar i filtrar, després detalls sota demanda”, implementat utilitzant components de l’Arquitectura de la Informació generats automàticament a partir de les dades i ontologies. Aquesta tesis ofereix algoritmes i mètodes per a generar automàticament components de l'Arquitectura de la Informació per a llocs web basats en dades semàntiques. Gràcies a aquests components és possible explorar les dades, visualitzar-les i crear consultes complexes sense necessitat d'aprendre tecnologies complicades o conèixer els vocabularis utilitzats en els conjunts de dades. Aquesta proposta s'ha implementat i validat a Rhizomer, una eina capaç de publicar conjunts de dades basats en Web Semàntica i que facilita als usuaris interactuar amb elles. Les nostres contribucions s'han avaluat amb usuaris finals com a part d'un Disseny Centrat en l'Usuari. / La proliferación de iniciativas de publicación de datos como Linked Open Data ha incrementado la cantidad de datos disponibles para su análisis y reuso, pero en muchos casos, es muy difícil para los usuarios explorar y utilizar estos datos, especialmente cuando no tienen experiencia en tecnologías de Web Semántica. Nuestra contribución para solventar este problema se basa en aplicar el Visual Information-Seeking Mantra: “Primero una visión general, enfocar y filtrar, después detalles bajo demanda”, implementado utilizando componentes de la Arquitectura de la Información generados automáticamente a partir de los datos y ontologías. Esta tesis ofrece algoritmos y métodos para generar automáticamente componentes de la Arquitectura de la Información para sitios web basados en datos semánticos. Gracias a estos componentes es posible explorar los datos, visualizarlos y crear consultas complejas sin necesidad de aprender tecnologías relacionadas o conocer los vocabularios utilizados en los conjuntos de datos. Esta propuesta se ha implementado y validado en Rhizomer, una herramienta capaz de publicar conjuntos de datos basados en Web Semántica y que facilita a los usuarios interactuar con ellos. Nuestras contribuciones se han evaluado con usuarios finales como parte de un Diseño Centrado en el Usuario. / The proliferation of Linked Open Data and other data publishing initiatives has increased the amount of data available for analysis and reuse. However, in most cases it is very difficult for users to explore and use this data, especially for those without experience with semantic web technologies. Our contribution to solving this problem is applying the Visual Information-Seeking Mantra: “Overview first, zoom and filter, then details-on-demand”, which is implemented using Information Architecture components automatically generated from data and ontologies. This thesis offers algorithms and methods to automatically generate and drive the information architecture components for websites based on semantic web data. Through these components, it is possible to explore and visualize data. Moreover, even lay-users are capable of building complex queries without requiring to learn complicated technologies or knowing the vocabularies used in the explored datasets. This approach has been implemented and tested in Rhizomer, a tool capable of publishing Semantic Web datasets while facilitating user awareness of the published content. Our contributions have been validated with end users as part of a User Centred Design development process.
10

Aproximación al lenguaje de Olivier Messiaen: análisis de la obra para piano "Vingt Regards sur l'Enfant-Jésus"

Costa Ciscar, Francisco Javier 12 February 2004 (has links)
Esta tésis tiene por objeto realizar una aproximación al lenguaje de Olivier Messiaen, a través del análisis de su obra para piano Vingt Regards sur l ´ Enfant - Jésus. El trabajo se centra en ofrecer una visión, una recreación de la obra desde la perspectiva analítico - musical, sin partir de métodos de análisis estereotipados sino obteniendo de cada una de las 20 piezas, de cada una de las Veinte Miradas aquéllas características específicas que las definen, aquéllo que les confiere un perfil particular. Se inicia la tésis con un capítulpo dedicado a enumerar las principales influencias que paulatinamente van gestando el lenguaje compositivo, tan personal e inconfundible, de Olivier Messiaen: la herencia de la tradición sonora del instrumento, que arranca con el romanticismo y llega hasta el impresionismo con Ravel y Debussy, sin olvidar tampoco la aportación de I. Albéniz; el sonido del órgano, como resultado de su práctica como organísta en la iglesia de la Trinidad de París; su acentuada religiosidad que le inspirará la temática de gran número de sus obras; la búsqueda de tradiciones musicales no occidentales, descubriendo en la música hindú la base de sus investigaciones en el campo del ritmo musical; el descubrimiento de la naturaleza y concretamente la utilización del canto de los pájaros, en relación de analogía con los rasgos y fluctuaciones melódicas de los neumas gregorianos; y el empleo que, de los pies rítmicos griegos, realiza el compositor del siglo XVI Claude Le Jeune y su relación con los diversos tâlas hindús. A continuación se estudia la aportación que realiza el compositor sobre cada uno de los componentes o parámetros sonoros de su música: a) En el aspecto tímbrico destaca el empleo exahustivo de todos los registros del intrumento, en polifonía de sonoridades; el empleo del pedal como medio para obtener sonoridades resultantes muy complejas, por acumulación sucesiva, uniendo fragmentaciones de formaciones acordales muy densas al objeto de obtener un sonido pleno, denso , robusto y muy amplio; su concepto del color generará en su música una audición - visión basada sobre la sensación coloreada.b) Armónicamente su concepto flexible de la densidad armónica, con función estructural junto con la utilización de formaciones acordales muy características, generará una rica paleta de recursos armónicos en la obra.c) A pesar de la influencia del raga hindú, del canto gregoriano y del canto de los pájaros, en sus melodías se observa una gran dosis de originalidad, desarrolladas mediante diversos procedimientos (eliminación, cambio de registro, interversión de notas y ampliación asimétrica)d) Estructuralmente prevalece en la obra la forma formada a la forma formante, con empleo de arquetipos formales de la tradición musical (Forma Sonata, Fuga) y con un predominio de la alternancia de Estribillo y Estrofa, en la organización del discurso musical.e) Música en la que prevalece el tratamiento motívico - temático del material sonoro y su ordenación modal a partir de sus modos de transposiciones limitadas (aunque algunas piezas no participan de ordenación modal alguna). f) La Mirada XII constituirá el nexo o enlace con la etapa especulativa o serial posterior del compositor (que se inicia en 1949 con la obra para piano Canteyodjaya), al tratarse de una pieza basada en una serie de 12 sonidos, cada uno de ellos adscrito a un registro sonoro concreto a lo largo de toda la pieza.A continuación se realiza el trabajo de análisis musical de cada una de las Miradas, obteniendo: un esquema formal (que determina la estructuración de la pieza, en sus diversas secciones), el desarrollo analítico de la propia pieza, finalizando cada análisis con una serie de conclusiones, que perfilan y definen aquéllas peculiaridades que identifican las diferentes piezas del ciclo.Se estudia a continuación la evolución y presentación de los diferentes temas propios o especificos de la obra: Tema de Dios, Tema de la Estrella y de la Cruz, Tema de Acordes y el Tema de Amor Místico, temas que aportarán cohesión y unidad a la obra.Se aborda asimismo el estudio de la simbología que contiene la obra, abundantemente utilizada por Messiaen, inicialmente puesta de manifiesto mediante la numerología simbólica, incidiendo en el orden de colocación de las diversas piezas. La obra posee símbolos:a) De naturaleza religiosa: Se establece en la tésis un itinerario a través de las verdades de la fé católica implicita en la simbología de los propios titulos y subtítulos de la obra.b) De naturaleza literaria: La partitura está repleta de indicaciones de carácter poético - literario, adscritas a rasgos melódicos o rítmicos, a motivos, a células a sucesiones de acordes.c) De naturaleza musical: en la elección de la armadura dominante de toda la obra y en su adscripción o sugerencia a una tonalidad concreta (FA# Mayor: tradicionalmente considerada tonalidad mística), en las citas idiomáticas a diversos instrumentos que aparecen en la obra, en las Miradas organizadas desde los moldes de la tradición musical y en el sentido de orden y organización que encierran, en el valor simbólico que poseen los temas especificos (Tema de Dios, Tema de la Estrella y de la Cruz, Tema de Amor Místico)El trabajo posee un capítulo dedicado a la relación estadística de todos los elementos musicales (atendiendo a los diversos parámetros sonoros) que aparecen en la obra, para facilitar su rápida localización, precisando a la vez su importancia en base a la frecuencia en que aparecen.Una discografia abundante y actualizada, el catálogo de obras del autor y el apéndice documental, cierran este trabajo de tésis, sobre una de las obras más paradigmáticas de toda la literatura pianística, que vió la luz - al menos- en la primera mitad del siglo XX. / The aim of this thesis is to approach Olivier Messiaen ´s language, through the analysis of his work for piano Vingt Regards sur l ´Enfant - Jésus.The work is focused on offering a view, a recreation of the composition from the analytic - musical perspective, without starting from methods of stereotyped analysis but obtaining from each one of the 20 pieces, from each one of the Twenty Looks those specific characteristics which define them and give them a particular profile.The thesis starts with a chapter dedicated to the reckoning of the main influences which gradually prepare the composition language, so personal and unmistakably Olivier Messiaen: the inheritance of the sonorous tradition of the instrument, which starts with the romanticism and reaches impresionism with Ravel and Debussy, without leaving behind I. Albéniz´s contribution; the sound of the organ, as a result of his practice as an organist in the Trinity Church in Paris; the stressed religiousness that inspires the themes of many of his works; the search for non - occidental musical traditions, discovering in Hindu music the base of his investigations in the field of musical rhythm; the discovery of nature and specifically the use of the singing of the birds, in relation of analogy with the features and melodic fluctuations of the Gregorian chants; and the use of the Greek rhythmic verses which the composer makes of the XVI century Claude Le Jeune and his relation with the several Hindu tâlas.Next, we study the contribution of the composer to each one of the components or sonorous parameters of his music:a) Regarding the timbre, what is outstanding is the thorough use of all the registers of the instrument, in the polyphony of sonorities; the use of the loud pedal as a means to obtain complex sonorities, by successive accumulation, linking fragmentations of dense harmonious formations with the object of obtaining a full sound, dense, strong and very wide; his concept of colour will generate an audition - vision based on the coloured sensation.b) Harmoniously his flexible concept of the harmonic density, with structural function together with the use of very characteristic harmonious formations, will generate a rich palette of harmonic resources in the work.c) In spite of the influence of the Hindu raga, the Gregorian chants and the singing of the birds, in his melodies, we find a good proportion of originality, developed by means of different procedures (elimination, change of register, interinversion of notes and asymmetric extension).d) Structurally what prevails is the formed form over the forming form in the work, with the use of formal archetypes of the musical tradition (Sonata Form, Fugue) and with the prevalence of the alternation of Chorus and Verse, in the organization of the musical speech.e) Music in which prevails the motif - thematic treatment of the sonorous material and its modal arrangement starting from its modes of limited transpositions (although some pieces do not participate in any modal arrangement).Then we make the musical analysis of each one of the Looks, obtaining: a formal scheme (which determines the structure of the piece, in its different sections), the analytic development of the piece itself, finishing each analysis with a series of conclusions, which outline and define those peculiarities that identify the different pieces of the cycle.Next we study the evolution and introduction of the different the proper or specific themes of the work: the Theme of God, the Theme of the Star and of the Cross, the Theme of Chords and the Theme of Mystic Love, themes that contribute cohesion and unity to the work.Also, we approach the study of the symbols in the work, used in abundance by Messiaen, initially shown by means of the symbolic numerology, calling the order of placing of the various pieces, and subsequently calling the symbols of religious nature, poetic - literary and the musical symbols which come about as a result.There is a chapter in this study dedicated to the statistical relation of all musical elements (attending to the different sonorous parameters) that are brought out in the work, to make its quick location easy, requiring at the same time its importance with a view to the frequency in which they come through.An abundant and updated collection of records, the catalogue of works of the author and documentary appendix, close this thesis, about one of the most paradigmatic works in piano literature, that came to light -at least- in the first half of the XX century.

Page generated in 0.0658 seconds