X Close

Open@UCL Blog

Home

Menu

Archive for the 'Advocacy' Category

Open Source Software Design for Academia

By Kirsty, on 27 August 2024

Guest post by Julie Fabre, PhD candidate in Systems Neuroscience at UCL. 

As a neuroscientist who has designed several open source software projects, I’ve experienced firsthand both the power and pitfalls of the process. Many researchers, myself included, have learned to code on the job, and there’s often a significant gap between writing functional code and designing robust software systems. This gap becomes especially apparent when developing tools for the scientific community, where reliability, usability, and maintainability are crucial.

My journey in open source software development has led to the creation of several tools that have gained traction in the neuroscience community. One such project is bombcell: a software designed to assess the quality of recorded neural units. This tool replaces what was once a laborious manual process and is now used in over 30 labs worldwide. Additionally, I’ve developed other smaller toolboxes for neuroscience:

These efforts were recognized last year when I received an honourable mention in the UCL Open Science and Scholarship Awards.

In this post, I’ll share insights gained from these experiences. I’ll cover, with some simplified examples from my toolboxes:

  1. Core design principles
  2. Open source best practices for academia

Disclaimer: I am not claiming to be an expert. Don’t view this as a definitive guide, but rather as a conversation starter.


Follow Julie’s lead: Whether you’re directly involved in open source software development or any other aspect of open science and scholarship, or if you simply know someone who has made important contributions, consider applying yourself or nominating a colleague for this year’s UCL Open Science and Scholarship Awards to gain recognition for outstanding work!


Part 1: Core Design Principles

As researchers, we often focus on getting our code to work, but good software design goes beyond just functionality. In order to maintain and build upon your software, following a few principles from the get go will elevate software from “it works” to “it’s a joy to use, maintain and contribute to”.

1. Complexity is the enemy

A primary goal of good software design is to reduce complexity. One effective way to simplify complex functions with many parameters is to use configuration objects. This approach not only reduces parameter clutter but also makes functions more flexible and maintainable. Additionally, breaking down large functions into smaller, more manageable pieces can significantly reduce overall complexity.

Example: Simplifying a data analysis function

For instance, in bombcell we run many different quality metrics, and each quality metric is associated with several other parameters. In the main function, instead of inputting all the different parameters independently:

[qMetric, unitType] = runAllQualityMetrics(plotDetails, plotGlobal, verbose, reExtractRaw, saveAsTSV, removeDuplicateSpikes, duplicateSpikeWindow_s, detrendWaveform, nRawSpikesToExtract, spikeWidth, computeSpatialDecay, probeType, waveformBaselineNoiseWindow, tauR_values, tauC, computeTimeChunks, deltaTimeChunks, presenceRatioBinSize, driftBinSize, ephys_sample_rate, nChannelsIsoDist, normalizeSpDecay, (... many many more parameters ...), rawData, savePath);

they are all stored in a ‘param’ object that is passed onto the function:

[qMetric, unitType] = runAllQualityMetrics(param, rawData, savePath);

This approach reduces parameter clutter and makes the function more flexible and maintainable.

 2. Design for change

Research software often needs to adapt to new hypotheses or methodologies. When writing a function, ask yourself “what additional functionalities might I need in the future?” and design your code accordingly. Implementing modular designs allows for easy modification and extension as research requirements evolve. Consider using dependency injection to make components more flexible and testable. This approach separates the creation of objects from their usage, making it easier to swap out implementations or add new features without affecting existing code.

Example: Modular design for a data processing pipeline

Instead of a monolithic script:

function runAllQualityMetrics(param, rawData, savePath)
% Hundreds of lines of code doing many different things
(...)
end

Create a modular pipeline that separates each quality metric into a different function:

function qMetric = runAllQualityMetrics(param, rawData, savePath)
nUnits = length(rawData);
for iUnit = 1:nUnits
% step 1: calculate percentage spikes missing
qMetric.percSpikesMissing(iUnit) = bc.qm.percSpikesMissing(param, rawData);
% step 2: calculate fraction refractory period violations
qMetric.fractionRPviolations(iUnit) = bc.qm.fractionRPviolations(param, rawData);
% step 3: calculate presence ratio
qMetric.presenceRatio(iUnit) = bc.qm.presenceRatio(param, rawData);
(...)
% step n: calculate distance metrics
qMetric.distanceMetric(iUnit) = bc.qm.getDistanceMetric(param, rawData);
end
bc.qm.saveQMetrics(qMetric, savePath)
end

This structure allows for easy modification of individual steps or addition of new steps without affecting the entire pipeline.

In addition, this structure allows us to define new parameters easily that can then modify the behavior of the subfunctions. For instance we can add different methods (such as adding the ‘gaussian’ option below) without changing how any of the functions are called!

param.percSpikesMissingMethod = 'gaussian';
qMetric.percSpikesMissing(iUnit) = bc.qm.percSpikesMissing(param, rawData);

and then, inside the function:

function percSpikesMissing = percSpikesMissing(param, rawData);
if param.percSpikesMissingMethod == 'gaussian'
(...)
else
(...)
end
end

3. Hide complexity

Expose only what’s necessary to use a module or function, hiding the complex implementation details. Use abstraction layers to separate interface from implementation, providing clear and concise public APIs while keeping complex logic private. This approach not only makes your software easier to use but also allows you to refactor and optimize internal implementations without affecting users of your code.

Example: Complex algorithm with a simple interface

For instance, in bombcell there are many parameters. When we run the main script that calls all quality metrics, we also want to ensure all parameters are present and are in a correct format.

function qMetric = runAllQualityMetrics(param, rawData, savePath)
% Complex input validation that is hidden to the user
param_complete = bc.qm.checkParameterFields(param);

% Core function that calcvulates all quality metrics
nUnits = length(rawData);

for iUnit = 1:nUnits
% steps 1 to n
(...)
end

end

Users of this function don’t need to know about the input validation or other complex calculations. They just need to provide input and options.

4. Write clear code

Clear code reduces the need for extensive documentation and makes your software more accessible to collaborators. Use descriptive and consistent variable names throughout your codebase. When dealing with specific quantities, consider adding units to variable names (e.g., ‘time_ms’ for milliseconds) to improve clarity. You can add comments to explain non-obvious logic and to add general outlines of the steps in your code. Following consistent coding style and formatting guidelines across your project also contributes to overall clarity.

Example: Improving clarity in a data processing function

Instead of an entirely mysterious function

function [ns, sr] = ns(st, t)
ns = numel(st);
sr = ns/t;

Add more descriptive variable and function names and add function headers:

function [nSpikes, spikeRate] = numberSpikes(theseSpikeTimes, totalTime_s)
% Count the number of spikes for the current unit
% ------
% Inputs
% ------
% theseSpikeTimes: [nSpikesforThisUnit × 1 double vector] of time in seconds of each of the unit's spikes.
% totalTime_s: [double] of the total recording time, in seconds.
% ------
% Outputs
% ------
% nSpikes: [double] number of spikes for current unit.
% spikeRate_s : [double] spiking rare for current unit, in seconds.
% ------
nSpikes = numel(theseSpikeTimes);
spikeRate_s = nSpikes/totalTime_s;
end

5. Design for testing

Incorporate testing into your design process from the beginning. This not only catches bugs early but also encourages modular, well-defined components.

Example: Testable design for a data analysis function

For the simple ‘numberSpikes’ function we define above, we can have a few tests to cover various scenarios and edge cases to ensure the function works correctly. For instance, we can test a normal case with a few spikes and an empty spike times input.

function testNormalCase(testCase)
theseSpikeTimes = [0.1, 0.2, 0.3, 0.4, 0.5]; totalTime_s = 1;
[nSpikes, spikeRate] = numberSpikes(theseSpikeTimes, totalTime_s);
verifyEqual(testCase, nSpikes, 5, 'Number of spikes should be 5');
verifyEqual(testCase, spikeRate, 5, 'Spike rate should be 5 Hz');
end

function testEmptySpikeTimes(testCase)
theseSpikeTimes = [];
totalTime_s = 1;
[nSpikes, spikeRate] = numberSpikes(theseSpikeTimes, totalTime_s);
verifyEqual(testCase, nSpikes, 0, 'Number of spikes should be 0 for empty input');
verifyEqual(testCase, spikeRate, 0, 'Spike rate should be 0 for empty input');
end

This design allows for easy unit testing of individual components of the analysis pipeline.

Part 2: Open Source Best Practices for Academia

While using version control and having a README, documentation, license, and contribution guidelines are essential, I have found that these practices have the most impact:

Example Scripts and Toy Data

I have found that the most useful thing you can provide with your software are example scripts, and even better, provide toy data that loads in your example script. Users can then quickly test your software and see how to use it on their own data — and are then more likely to adopt it. If possible, package the example scripts in Jupyter notebooks/MATLAB live scripts (or equivalent) demonstrating key use cases. In bombcell, we provide a small dataset (Bombcell Toy Data on GitHub) and a MATLAB live script that runs bombcell on this small toy dataset (Getting Started with Bombcell on GitHub). 

Issue-Driven Improvement

To manage user feedback effectively, enforce the use of an issue tracker (like GitHub Issues) for all communications. This approach ensures that other users can benefit from conversations and reduces repetitive work. When addressing questions or bugs, consider if there are ways to improve documentation or add safeguards to prevent similar issues in the future. This iterative process leads to more robust and intuitive software.

Citing

Make your software citable quickly. Before (or instead) of publishing, you can generate a citable DOI using software like Zenodo. Consider also publishing in the Journal of Open Source Software (JOSS) for light peer review. Clearly outline how users should cite your software in their publications to ensure proper recognition of your work.

Conclusion

These practices can help create popular, user-friendly, and robust academic software. Remember that good software design is an iterative process, and continuously seeking feedback and improving your codebase (and sometimes entirely rewriting/refactoring parts) will lead to more robust code.

To go deeper into principles of software design, I highly recommend reading “A Philosophy of Software Design” by John Ousterhout or “The Good Research Code Handbook” by Patrick J. Mineault.

Get involved! 

alt=""The UCL Office for Open Science and Scholarship invites you to contribute to the open science and scholarship movement. Join our mailing list, and follow us on X, formerly Twitter and LinkedIn, to stay connected for updates, events, and opportunities.

 

 

 

UCL, ORCID, and RPS, oh my!

By Kirsty, on 25 July 2024

Green circular ORCID iD logoTen years on, most of our readers will have heard of ORCID by now in one context or another. Many publishers now ask you to include an ORCID when you submit a journal article, and increasing numbers of funders, including Wellcome, require the use of an ORCID when applying for funding. The new UKRI funding service will also require ORCIDs for at least PIs.

In case you don’t know much about ORCID here are the facts:

  • ORCID is a free, unique, persistent identifier for individuals to use as they engage in research, scholarship and innovation activities. ​
  • Its core purpose is to distinguish individuals from one another, this means that people with identical names, or who have changed their name can be accurately attributed works.
  • It also provides a portable and open profile which can collate and display your works including recognition for grant application review and peer review activity.
  • ORCID profiles are independent of any institution and can remain with you throughout your career.
  • This open profile also facilitates auto-population of manuscript submission and grant application systems, reducing duplication of effort.​
  • The ORCID profile can also populate itself using in-built tools that pull data from the DOI registry and various publishers and aggregators.

The use of an ORCID can also make it easier to record your outputs in RPS. Connecting your ORCID to RPS can make the outputs identified more accurate and makes it much easier for you to comply with OA mandates including for the REF as well as keep your UCL profile up to date. It is also possible to set it up to automatically push data to your ORCID profile, so that when you record a publication in RPS, it is automatically sent to your ORCID profile.

There are two options for connecting an ORCID to RPS:

  1. A ‘read’ connection means that RPS will find records that belong to you, using your ORCID iD, and claim them to your RPS record. This means that, unlike records that RPS finds using your name and institution, you don’t need to claim these records manually.
  2. A ‘read and write’ connection will both claim publications that can be matched by ORCID iD and send publications to your ORCID record. This avoids duplication of effort when publications need to be recorded manually.

We recommend using the ‘read and write’ version of the connector as this will keep both your RPS record, UCL Profile and ORCID in sync. Take a look at our instructions on the website or download the PDF guide.​ Nearly 70% of UCL research staff have connected their ORCID to RPS but less than 40% are taking advantage of read and write. To take advantage of the full functionality, reconnect your ORCID to RPS today!

Get involved!

alt=""The UCL Office for Open Science and Scholarship invites you to contribute to the open science and scholarship movement. Stay connected for updates, events, and opportunities. Follow us on X, formerly Twitter, LinkedIn, and join our mailing list to be part of the conversation!

 

 

 

From Policy to Practice: UCL Open Science Conference 2024

By Kirsty, on 11 July 2024

Last month, we hosted our 4th UCL Open Science Conference! This year, we focused inward to showcase the innovative and collaborative work of our UCL researchers in our first UCL community-centered conference. We were excited to present a strong lineup of speakers, projects, and posters dedicated to advancing open science and scholarship. The conference was a great success, with nearly 80 registrants and an engaged online audience.

If you missed any sessions or want to revisit the presentations, you can find highlights, recordings, and posters from the event below.

Session 1 – Celebrating Our Open Researchers

The conference began with a celebration of the inaugural winners of the Open Science & Scholarship Awards, recognizing researchers who have significantly contributed to open science. This session also opened nominations for next year’s awards.

Access the full recording of the session 1 on MediaCentral.

Session 2: Policies and Practice

Katherine Welch introduced an innovative approach to policy development through collaborative mosaic-making. Ilan Kelman discussed the ethical limits of open science. He reminded us of the challenges and considerations when opening up research and data to the public. David Perez Suarez introduced the concept of an Open Source Programme Office (OSPO) at UCL and, with Sam Ahern, showcased the Centre of Advanced Research Computing’s unique approach to creating and sharing open educational resources.

Access the full recording of the session 2 on MediaCentral.

Session 3: Enabling Open Science and Scholarship at UCL

This session introduced new and updated services and systems at UCL designed to support open science and scholarship. Highlights included UCL Profiles, Open Science Case Studies, the UCL Press Open Textbooks Project, UCL Citizen Science Academy, and the Open@UCL Newsletter.

Access the full recording of the session 3 on MediaCentral.

Session 4: Research Projects and Collaborations

This session featured presentations on cutting-edge research projects and collaborations transforming scholarly communication and advancing scientific integrity. Klaus Abels discussed the journey of flipping a subscription journal to diamond open-access. Banaz Jalil and Michael Heinrich presented the ConPhyMP guidelines for chemical analysis of medicinal plant extracts, improving healthcare research. Francisco Duran explored social and cultural barriers to data sharing and the role of identity and epistemic virtues in creating transparent and equitable research environments.

Access the full recording of the session 4 on Media Central.

Posters and Networking:

We also hosted a Poster Session and Networking event where attendees explored a variety of posters showcasing ongoing research across UCL’s disciplines, accompanied by drinks and snacks. This interactive session provided a platform for researchers to present their work, exchange ideas, and foster collaborations within and beyond the UCL community.

Participants engaged directly with presenters, learning about research findings and discussing potential synergies for future projects. Themes covered by the posters included innovative approaches to public engagement by UCL’s Institute of Global Prosperity and Citizen Science Academy, as well as discussions on the balance between open access and data security in the digital age.

Explore all the posters presented at the UCL Open Science Conference 2024 on the UCL Research Data Repository. This collection is under construction and will continue to grow.

Reminder for Attendees – Feedback

For those who attended, please take a minute to complete our feedback form. Your input is very important to improve future conferences. We would appreciate your thoughts and suggestions.

A Huge Thank You!

Thank you to everyone who joined us for the UCL Open Science Conference 2024. Your participation and enthusiasm made this event a great success. We appreciate your commitment to advancing open science and scholarship across UCL and beyond, and we look forward to seeing the impact of your work in the years to come.

Please watch the sessions and share your feedback with us. Your insights are invaluable in shaping future events and supporting the open science community.

We look forward to seeing you at next year’s conference!

UCL Open Science & Scholarship Conference 2024: Programme Now Available!

By Rafael, on 13 June 2024

Image of UCL Front Quad and Portico over spring. With less than a week until this year’s UCL Open Science Conference, anticipation is building! We are thrilled to announce that the programme for the UCL Open Science & Scholarship Conference 2024 is now ready. Scheduled for Thursday, June 20, 2024, from 1:00 pm to 5:00 pm BST, both onsite at UCL and online, this year’s conference promises to be an exciting opportunity to explore how the UCL community is leading Open Science and Scholarship initiatives across the university and beyond.

Programme Outline:

1:00-1:05 pm
Welcome and Introductions
Join us as we kick off the conference with a warm welcome and set the stage for the afternoon.

1:05-1:45 pm
Session 1: Celebrating our Open Researchers
Learn about the outstanding contributions of our Open Science champions and their work recognised at the UCL Open Science & Scholarship Awards last year.

1:45-2:45 pm
Session 2: Policies and Practice
Explore discussions on policy development and ethical considerations in Open Science, including talks on collaborative policy-making and the role of Open Source Programme Offices (OSPOs).

2:45-3:15 pm
Coffee Break
Network and engage with our fellow attendees over coffee, tea, and biscuits.

3:15-4:00 pm
Session 3: Enabling Open Science and Scholarship at UCL
Check out services and initiatives that empower UCL researchers to embrace Open Science, including updates on UCL Profiles, UCL Citizen Science Academy, and Open Science Case Studies.

4:00-4:45 pm
Session 4: Research Projects and Collaborations
Discover cutting-edge research projects and collaborations across UCL, including case studies involving the transition to Open Access publishing, reproducible research using medicinal plants, and social and cultural barriers to data sharing.

" "4:45-5:00 pm
Summary and Close of Main Conference
Reflect on key insights from the day’s discussions and wrap up the main conference.

5:00-6:30 pm
Evening Session: Poster Viewing and Networking Event
Engage with our presenters and attendees over drinks and nibbles, while exploring posters showcasing research and discussions in Open Science and Scholarship through diverse perspectives.

For the complete programme details, please access the full document uploaded on the UCL Research Data Repository, or access the QR code.

Join us – Tickets are still available!
Whether you’re attending in person or joining us virtually, we invite you to participate in discussions that shape the future of Open Science and Scholarship at UCL. Sales will close on Monday. Secure your spot now! Register here.

Thank you!
Thank you once more to everyone who submitted their ideas to the Call for Papers and Posters. We received brilliant contributions and are grateful for our packed programme of insightful discussions and projects from our community.

We look forward to welcoming you to the UCL Open Science & Scholarship Conference 2024!

Get involved!

alt=""The UCL Office for Open Science and Scholarship invites you to contribute to the open science and scholarship movement. Stay connected for updates, events, and opportunities. Follow us on X, formerly Twitter, LinkedIn, and join our mailing list to be part of the conversation!

 

Launching today: Open Science Case Studies

By Kirsty, on 29 April 2024

Announcement from Paul Ayris, Pro-Vice Provost, UCL Library, Culture, Collections and Open Science

A close up of old leather-bound books on a shelfHow can Open Science/Open Research support career progression and development? How does the adoption of Open Science/Open Research approaches benefit individuals in the course of their career?

The UCL Open Science Office, in conjunction with colleagues across UCL, has produced a series of Case Studies showing how UCL academics can use Open Science/Open Research approaches in their plans for career development, in applications for promotion and in appraisal documents.

In this way, Open Science/Open Research practice can become part of the Research Culture that UCL is developing.

The series of Case Studies covers each of the 8 pillars of Open Science/Open Research. They can be found on a new webpage: Open Science Case Studies 4 UCL.

It is only fair that academics should be rewarded for developing their skills and adopting best practice in research and in its equitable dissemination. The Case Studies show how this can be done, and each Case Study identifies a Key Message which UCL academics can use to shape their activities.

Examples of good practice are:

  • Publishing outputs as Open Access outputs
  • Sharing research data which is used as the building block of academic books and papers
  • Creating open source software which is then available for others to re-use and develop
  • Adopting practices allied to Reproducibility and Research Integrity
  • The responsible use of Bibliometrics
  • Public Engagement: Citizen Science and Co-Production as mechanisms to deliver results

Contact the UCL Open Science Office for further information at openscience@ucl.ac.uk.

UCL open access output: 2023 state-of-play

By Kirsty, on 15 April 2024

Post by Andrew Gray (Bibliometrics Support Officer) and Dominic Allington Smith (Open Access Publications Manager)

Summary

UCL is a longstanding and steadfast supporter of open access publishing, organising funding and payment for gold open access, maintaining the UCL Discovery repository for green open access, and monitoring compliance with REF and research funder open access requirements.  Research data can  be made open access in the Research Data Repository, and UCL Press also publish open access books and journals.

The UCL Bibliometrics Team have recently conducted research to analyse UCL’s overall open access output, covering both total number of papers in different OA categories, and citation impact.  This blog post presents the key findings:

  1. UCL’s overall open access output has risen sharply since 2011, flattened around 80% in the last few years, and is showing signs of slowly growing again – perhaps connected with the growth of transformative agreements.
  2. The relative citation impact of UCL papers has had a corresponding increase, though with some year-to-year variation.
  3. UCL’s open access papers are cited around twice as much, on average, as non-open-access papers.
  4. UCL is consistently the second-largest producer of open access papers in the world, behind Harvard University.
  5. UCL has the highest level of open access papers among a reference group of approximately 80 large universities, at around 83% over the last five years.

Overview and definitions

Publications data is taken from the InCites database.  As such, the data is primarily drawn from InCites papers attributed to UCL, filtered down to only articles, reviews, conference proceedings, and letters. It is based on published affiliations to avoid retroactive overcounting in past years: existing papers authored by new starters at UCL are excluded.

The definition of “open access” provided by InCites is all open access material – gold, green, and “bronze”, a catch-all category for material that is free-to-read but does not meet the formal definition of green or gold. This will thus tend to be a few percentage points higher than the numbers used for, for example, UCL’s REF open access compliance statistics.

Data is shown up to 2021; this avoids any complications with green open access papers which are still under an embargo period – a common restriction imposed by publishers when pursuing this route – in the most recent year.

1. UCL’s change in percentage of open access publications over time

(InCites all-OA count)

The first metric is the share of total papers recorded as open access.  This has grown steadily over time over the last decade, from under 50% in 2011 to almost 90% in 2021, with only a slight plateau around 2017-19 interrupting progress.

2. Citation impact of UCL papers over time

(InCites all-OA count, Category Normalised Citation Impact)

The second metric is the citation impact for UCL papers.  These are significantly higher than average: the most recent figure is above 2 (which means that UCL papers receive over twice as many citations as the world average; the UK university average is ~1.45) and continue a general trend of growing over time, with some occasional variation. Higher variation in recent years is to some degree expected, as it takes time for citations to accrue and stabilise.

3. Relative citation impact of UCL’s closed and Open Access papers over time

(InCites all-OA count, Category Normalised Citation Impact)

The third metric is the relative citation rates compared between open access and non-open access (“closed”) papers. Open access papers have a higher overall citation rate than closed papers: the average open access paper from 2017-21 has received around twice as many citations as the average closed paper.

4. World leading universities by number of Open Access publications

(InCites all-OA metric)

Compared to other universities, UCL produces the second-highest absolute number of open access papers in the world, climbing above 15,000 in 2021, and has consistently been the second largest publisher of open access papers since circa 2015.

The only university to publish more OA papers is Harvard. Harvard typically publishes about twice as many papers as UCL annually, but for OA papers this gap is reduced to about 1.5 times more papers than UCL.

5. World leading universities by percentage of Open Access publications

(5-year rolling average; minimum 8000 publications in 2021; InCites %all-OA metric)

UCL’s percentage of open access papers is consistently among the world’s highest.  The most recent data from InCites shows UCL as having the world’s highest level of OA papers (82.9%) among institutions with more than 8,000 papers published in 2021, having steadily risen through the global ranks in previous years.

Conclusion

The key findings of this research are very good news for UCL, indicating a strong commitment by authors and by the university to making work available openly.  Furthermore, whilst high levels of open access necessarily lead to benefits relating to REF and funder compliance, the analysis also indicates that making research outputs open access leads, on average, to a greater number citations, providing further justification for this support, as being crucial to communicating and sharing research outcomes as part of the UCL 2034 strategy.

Get involved!

alt=""The UCL Office for Open Science and Scholarship invites you to contribute to the open science and scholarship movement. Stay connected for updates, events, and opportunities. Follow us on X, formerly Twitter, LinkedIn, and join our mailing list to be part of the conversation!

 

UCL Advent Calendar of Research Support!

By Kirsty, on 1 December 2023

This year we are pleased to be able to share with you our Advent Calendar of Research Support! We will be posting every day over on our Twitter/X account but for those of you that aren’t using Twitter/X we have posted it below, and you can visit it online in your own time. We will also be updating this post throughout the month with accessible version of the content.

Day 1A Christmas tree with white lights at night in front of columns lit with colours of the rainbow.

The Office for Open Science and Scholarship is your one stop shop for advice and support for all things openness. Find out more on our website: https://www.ucl.ac.uk/library/open-science-research-support/ucl-office-open-science-and-scholarship #ResearchSupportAdvent

Image by Alejandro Salinas Lopez “alperucho” on UCL imagestore. A Christmas tree with white lights at night in front of columns lit with colours of the rainbow.

Day 2. A girl with dark hair and wire rimmed glasses wearing a yellow jumper sits at a laptop. In the background can be seen colourful book stacks.

Profiles is UCL’s new public search and discovery tool showcasing the UCL community. Use it to find UCL academics, their activities, collaborations, industry partnerships, publications and more. Profiles replaces the previous IRIS system: https://www.ucl.ac.uk/library/open-science-research-support/ucl-profiles #ResearchSupportAdvent

Image by Mat Wright on UCL imagestore. A girl with dark hair and wire rimmed glasses wearing a yellow jumper sits at a laptop. In the background can be seen colourful book stacks.

Day 3Six people in office attire facing a bright yellow wall covered in postit notes

If you need a more controlled way of sharing your research data, check out the UK Data Service and its granular controls for accessing data. https://ukdataservice.ac.uk/learning-hub/research-data-management/data-protection/access-control/ #ResearchSupportAdvent

Image by Alejandro Walter Salinas Lopez on UCL imagestore. Six people in office attire facing a bright yellow wall covered in postit notes

Day 4 A mixed group of people around a table working at laptops.

Our final UCL Profiles training session of the year will be held on 7 December at 12pm. Come along to find out how to update your profile and manage your professional and teaching activities in RPS. https://library-calendars.ucl.ac.uk/calendar/libraryskillsUCL?t=g&q=profiles&cid=6984&cal=6984&inc=0

If you can’t make the session, have a look at our Getting started with Profiles page: https://www.ucl.ac.uk/library/open-science-research-support/ucl-profiles #ResearchSupportAdvent

Image by Mary Hinkley on UCL imagestore. A mixed group of people around a table working at laptops.

Day 5A group of three women in warm clothing toasting with cups of coffee at night.

Are you interested in citizen science or participatory research? Ever wondered whether such an approach might work for your project? Whether you are new to citizen science or if you’ve run projects including participants before, come and join our informal UCL Citizen Science community to exchange ideas, ask for advice or share your stories! #ResearchSupportAdvent https://teams.microsoft.com/l/team/19%3aEU3Ia83bPWRqzrGpqQ1KkqlQ0AC5f4Ip8Y-zclJ-PHc1%40thread.tacv2/conversations?groupId=54f252f7-db72-40df-8faf-20e618d9a977&tenantId=1faf88fe-a998-4c5b-93c9-210a11d9a5c2

Image by Alejandro Salinas Lopez “alperucho” on UCL imagestore. A group of three women in warm clothing toasting with cups of coffee at night.

Day 6A plate of mince pies.

Ever hit a paywall when trying to access scholarly publications? Get the popcorn ready, and be prepared to have your eyes opened by watching this documentary ‘Paywall: the Business of Scholarship’ at https://paywallthemovie.com/ #OpenAccess #ResearchSupportAdvent

Image by Alejandro Salinas Lopez “alperucho” on UCL imagestore. A plate of mince pies.

Day 7Image from ThinkCheckSubmit. Traffic lights containing the words Think, Check, Submit

Have you ever received an unsolicited email from a publisher inviting you to publish your research in their journal? Think, Check, before you submit. https://thinkchecksubmit.org/ #ThinkCheckSubmit #ResearchSupportAdvent

Image from ThinkCheckSubmit. Traffic lights containing the words Think, Check, Submit.

Day 8• Image by UCL Media Services on UCL imagestore. A close up of a bright purple bauble on a tree with some blue lights

If you’re sharing your data using the UCL Research Data Repository, reserve your DOI when you create the item. Then when you submit a paper for publication you can include it in the data access statement and readers will be able to find your data more easily once the data is published. https://www.ucl.ac.uk/library/open-science-research-support/research-data-management/ucl-research-data-repository #ResearchSupportAdvent

Image by UCL Media Services on UCL imagestore. A close up of a bright purple bauble on a tree with some blue lights.

Day 9• Image by KamranAydinov on Freepik. Blue headphones surrounded by christmas decorations, stockings, candles, tree lights and pine cones

Are festive songs, recipes and party activities protected by copyright? How does this relate to your research? Answers in our latest copyright blog post: https://blogs.ucl.ac.uk/copyright/#ResearchSupportAdvent

Image by KamranAydinov on Freepik. Blue headphones surrounded by christmas decorations, stockings, candles, tree lights and pine cones.

Day 10• Image by UCL Press. Image is a red band on a white background. On the red band, white writing reads, ‘An introduction to Waste management and circular economy. Read and download free from uclpress.co.uk/waste'

UCL Press has launched the first #openaccess textbook in its new programme today. Take a look here: https://www.uclpress.co.uk/products/215121. Interested in publishing an #openaccess textbook with us? Find out more: https://www.uclpress.co.uk/pages/textbooks

Image by UCL Press. Image is a red band on a white background. On the red band, white writing reads, ‘An introduction to Waste management and circular economy. Read and download free from uclpress.co.uk/waste.

Day 11• Image by Mary Hinkley on UCL imagestore. A close up of a Christmas tree covered in yellow lights and small silver leaves. In the background can be seen a grey building, some leafless trees and a dark grey statue of a man.

If you’ve encountered a paywall when trying to read research online, Unpaywall (https://unpaywall.org/) and the Open Access Button (https://openaccessbutton.org/) are two free browser extensions which search the internet for copies that you can access. #ResearchSupportAdvent

Image by Mary Hinkley on UCL imagestore. A close up of a Christmas tree covered in yellow lights and small silver leaves. In the background can be seen a grey building, some leafless trees and a dark grey statue of a man.

Day 12Image by John Moloney on UCL imagestore. A group of people in business attire socialising with drinks. Picture is taken from a distance and slightly above.

Do you have a namesake in the world of research? To ensure that other researchers and publishers are not confusing you with someone else, sign up for an ORCID ID at https://orcid.org/ ORCID brings all your scholarly output together in one place. Read more here: https://www.ucl.ac.uk/library/open-science-research-support/open-access/orcid-ucl-researchers #ResearcherIDs #ORCID #ResearchSupportAdvent

Image by John Moloney on UCL imagestore. A group of people in business attire socialising with drinks. Picture is taken from a distance and slightly above.

Day 13Image by Irrum Ali on UCL imagestore. A white table covered in books and pamphlets of various sizes.

Grey literature is produced and published by non-commercial private or public entities, including pressure groups, charities and organisations. Researchers often use grey literature in their reviews to bring in other ‘voices’ into their research. We have listed some useful sources on our guide: https://library-guides.ucl.ac.uk/planning-search/grey-literature #literaturereview #greyliterature #ResearchSupportAdvent

Image by Irrum Ali on UCL imagestore. A white table covered in books and pamphlets of various sizes.

Day 14Image by Mary Hinkley on UCL imagestore. Two large and several small icicles against a wintery sky.

Are you working with personal data and need more advice on the difference between anonymisation and pseudonymisation? Check out the data protection team’s guide or get in touch with them for more advice. #ResearchSupportAdvent https://www.ucl.ac.uk/data-protection/guidance-staff-students-and-researchers/practical-data-protection-guidance-notices/anonymisation-and

Image by Mary Hinkley on UCL imagestore. Two large and several small icicles against a wintery sky.

Day 15Image by Mat Wright on UCL imagestore. A student with long blonde hair studies in the foreground. Behind her are rows of wooden desks and book stacks in arches sit further back.

Historical Inquiry is an important part of the research process. A place to begin this is by understanding the etymology of words. Raymond Williams began this by collating keywords of the most used terms. However, the meanings of words change over time, depending on context. The University of Pittsburgh has continued this project: https://keywords.pitt.edu/, and we have their publication in the Library. #HistoricalInquiry #ResearchSupportAdvent

Image by Mat Wright on UCL imagestore. A student with long blonde hair studies in the foreground. Behind her are rows of wooden desks and book stacks in arches sit further back.

Day 16Image by Mary Hinkley on UCL imagestore. UCL front quad at twilight. In front of the portico is a Christmas tree decorated with yellow lights. To the right of the image is a leafless tree decorated with purple and pink lights which can be seen reflecting off the white building beyond.

Did you know the Research Data Management team can review your Data Management Plan and provide feedback, including to make sure you adhere to funder guidance on data management? Get in touch to send us a plan or find out more. https://www.ucl.ac.uk/library/open-science-research-support/research-data-management #ResearchSupportAdvent

Image by Mary Hinkley on UCL imagestore. UCL front quad at twilight. In front of the portico is a Christmas tree decorated with yellow lights. To the right of the image is a leafless tree decorated with purple and pink lights which can be seen reflecting off the white building beyond.

Day 17Image by James Tye on UCL imagestore. Image shows a view through a gap in books to a woman with light brown hair holding the books open and appearing to be searching the shelf.

From 2024, UKRI funded long-form outputs must be open access within 12 months of publication under CC BY or another Creative Commons licence. UCL’s Open Access Team has info. including funding & exceptions, and offers support: https://www.ucl.ac.uk/library/open-science-research-support/open-access/research-funders/new-wellcome-and-ukri-policies/ukri #ResearchSupportAdvent

Image by James Tye on UCL imagestore. Image shows a view through a gap in books to a woman with light brown hair holding the books open and appearing to be searching the shelf.

Day 18Image by Alejandro Salinas Lopez "alperucho" on UCL imagestore. Image shows a Christmas garland over and arch with people walking through, slightly out of focus. The garland is threaded with yellow lights and the words Happy Holiday Season are written in pink lights.

To coincide with the new UKRI open access policy for monographs, UCL Library Services has new funding to support all UCL REF-eligible staff who would like to make their monographs, book chapters and edited collections Gold open access. Find out about this funding and how to contact us: https://www.ucl.ac.uk/library/open-science-research-support/open-access/open-access-funding-and-agreements/open-access-funding #ResearchSupportAdvent

Image by Alejandro Salinas Lopez “alperucho” on UCL imagestore. Image shows a Christmas garland over and arch with people walking through, slightly out of focus. The garland is threaded with yellow lights and the words Happy Holiday Season are written in pink lights.

Day 19Image by Tony Slade from UCL imagestore. A top-down photograph of four students working individually at wooden desks. To the right of the image are wooden bookcases full of colourful books.

Interested in adding grey literature into your research? Have a look at Overton – a database of 10m+ official and policy documents http://libproxy.ucl.ac.uk/login?url=https://app.overton.io/dashboard.php#ResearchSupportAdvent

Image by Tony Slade from UCL imagestore. A top-down photograph of four students working individually at wooden desks. To the right of the image are wooden bookcases full of colourful books.

Day 20A screenshot from the UCL Copyright Essentials module. Includes information on the topics covered, some text from the module and an image of a group of stormtroopers marching in the street. Includes image by Michael Neel via Wikimedia Commons.

Have time in your hands this holiday? Complete our short, fun, Jedi-friendly copyright online tutorial and be copyright-savvy before the new year begins! Access at: https://www.ucl.ac.uk/library/forms/articulate/copyright-essentials/#/ #ResearchSupportAdvent

A screenshot from the UCL Copyright Essentials module. Includes information on the topics covered, some text from the module and an image of a group of stormtroopers marching in the street. Includes image by Michael Neel via Wikimedia Commons.

Day 21Image by Tony Slade on UCL imagestore. A close-up perspective shot of a bookcase. Black books with gold writing are in the foreground and red, orange and blue volumes are further back.

Beat the cold with #openaccess reading! UCL Press have more than 300 open access books and 15 journals for you to read and download- for free! Available from: uclpress.co.uk

Image by Tony Slade on UCL imagestore. A close-up perspective shot of a bookcase. Black books with gold writing are in the foreground and red, orange and blue volumes are further back.

Day 22Image by KamranAydinov on Freepik. Top view of hand holding a pen on spiral notebook with new year writing and drawings decoration accessories on black background.

Have you made your New Year resolutions yet? Start by developing your copyright knowledge. Register for one of our 2024 workshops to learn how copyright supports your research and learning. #ResearchSupportAdvent https://library-calendars.ucl.ac.uk/calendar/libraryskillsUCL/?cid=-1&t=g&d=0000-00-00&cal=-1&ct=32648&inc=0

Image by KamranAydinov on Freepik. Top view of hand holding a pen on spiral notebook with new year writing and drawings decoration accessories on black background.

Day 23Image by Alejandro Salinas Lopez "alperucho" on UCL imagestore. An arm and hand in profile holds up a mobile phone with the camera open. The phone shows the UCL portico and Christmas tree. The background is out of focus but appears to show Christmas lights.

Curious to see who’s talking about your research? You can see a dashboard for all your RPS publications in the Altmetric tool – search by “verified author”. https://www.altmetric.com/explorer/#ResearchSupportAdvent

Image by Alejandro Salinas Lopez “alperucho” on UCL imagestore. An arm and hand in profile holds up a mobile phone with the camera open. The phone shows the UCL portico and Christmas tree. The background is out of focus but appears to show Christmas lights.

Day 24

The final day of our #ResearchSupportAdvent is upon us and we want to use it to say thank you to everyone that has supported us, come to our events, training or shared with us. Also our colleagues and friends from other institutions. All of us here in the UCL Office for Open Science & Scholarship and beyond across all of the teams represented wish you a great break and look forward to 2024!

Citizen science community at UCL – a discussion and call to contribute

By Kirsty, on 27 October 2023

Community over Commercialization was the theme for this year’s International Open Access Week. The organisers aim for this theme was to encourage a candid conversation about which approaches to openness prioritise the best interests of the public and the academic community—and which do not.

This is related to the UNESCO Recommendation on Open Science, which highlights the need to prioritize community in its calls for the prevention of “inequitable extraction of profit from publicly funded scientific activities” and support for “non-commercial publishing models and collaborative publishing models with no article processing charges.” By focusing on these areas, we can achieve the original vision outlined when open access was first defined: “an old tradition and a new technology have converged to make possible an unprecedented public good.”

-adapted from openaccessweek.org

This week, in support of this theme we have launched our Citizen Science community for anyone at UCL that wants to get involved, staff, students, anyone! It’s the culmination of a lot of work from the team in the Office for Open Science and Scholarship and I wanted to close out the week with a discussion of how we have been approaching Citizen Science at UCL and what we are going to be doing next.

One of the core values of the Office for Open Science & Scholarship, and therefore the team behind the Citizen Science community, is to make everything we do as inclusive as possible of as many of the UCL subject areas as we can.

We use Citizen Science as a title, because it is a commonly used and recognised term, but as we want to create a broad community we have worked hard to create a unifying definition that we want to work to, and this is where this word cloud comes in! This is a work in progress where we are trying to collect as many terms for what we would consider to be a part of Citizen Science as possible and we are hoping that the new community will help us to develop this more and make it as comprehensive as possible!

So, what else have we been doing and what are we working on?

As well as the launch of the UCL Citizen Science Academy, over the past year or so, the team has been talking to a number of colleagues that have been working on citizen science projects to get insights into the projects happening at UCL (which we have added to our website), but also the skills and support that people would recommend for new starters. This will all feed into us recommending, commissioning or developing training and support for you, our community. The aim is to keep building up our existing citizen science related community and enable new, interested parties to get involved, supported by both us and the community as a whole.

We are always asking for information about new projects, feedback on how we can make our community more inclusive and looking for new words for our word cloud so please get in touch by email or by commenting below, we love to hear from you!

Open Science & Scholarship Awards Winners!

By Kirsty, on 26 October 2023

A huge congratulations to all of the prize winners and a huge thanks to everyone that came to our celebration yesterday! It was lovely to hear from a selection of the winning projects and celebrate together. The OOSS team and the UKRN Local leads Sandy and Jessie had a lovely time networking with everyone.

Just in case you weren’t able to join us to hear the prize winners talk about their projects, Sandy has written short profiles of all of the winning projects below.

Category: Academic staff

Winner: Gesche Huebner and Mike Fells, BSEER, Built Environment

Gesche and Mike were nominated for the wide range of activities that they have undertaken to promote open science principles and activities in the energy research community. Among other things, they have authored a paper on improving energy research, which includes a checklist for authors, delivered teaching sessions on open, reproducible research to their department’s PhD students as well as staff at the Centre for Research Into Energy Demand Solutions, which inspired several colleagues to implement the practices, they created guidance on different open science practices aimed at energy researchers, including professionally filmed videos, as well as developed a toolkit for improving the quality, transparency, and replicability of energy research (i.e., TReQ), which they presented at multiple conferences. Gesche and Mike also regularly publish pre-analysis plans of their own research, make data and code openly available when possible, publish preprints, and use standard reporting guidelines.

Honourable mention: Henrik Singmann, Brain Sciences

Henrik was nominated for their consistent and impactful contribution to the development of free and open-source software packages, mostly for the statistical programming language R. The most popular software tool he developed is afex, which provides a user-friendly interface for estimating one of the most commonly used statistical methods, analysis of variance (ANOVA). afex, first released in 2012 and actively maintained since, has been cited over 1800 times. afex is also integrated into other open-source software tools, such as JASP and JAMOVI, as well as teaching materials. With Quentin Gronau, Henrik also developed bridgesampling, a package for principled hypothesis testing in a Bayesian statistical framework. Since its first release in 2017, bridgesampling has already been cited over 270 times. Other examples of packages for which they are the lead developer or key contributor are acss, which calculates the algorithmic complexity for short strings, MPTinR and MPTmultiverse, as well as rtdists and (together with their PhD student Kendal Foster) fddm. Further promoting the adoption of open-source software, Henrik also provides statistics consultation sessions at his department and uses open-source software for teaching the Master’s level statistics course.

Honourable mention: Smita Salunke, School of Pharmacy

Smita is recognised for their role in the development of the The Safety and Toxicity of Excipients for Paediatrics (STEP) database, an open-access resource compiling comprehensive toxicity information of excipients. The database was established in partnership with European and the United States Paediatric Formulation Initiative. To create the database, numerous researchers shared their data. To date, STEP has circa 3000 registered users across 44 countries and 6 continents. The STEP database has also been recognised as a Research Excellence Framework (REF) 2021 impact case study. Additionally, the European Medicines Agency frequently refer to the database in their communications; the Chinese Centre for Drug Evaluation have also cited the database in their recent guidelines. Furthermore, the Bill and Melinda Gates Foundation have provided funds to support a further 10 excipients for inclusion in STEP. The development and evaluation of the STEP database have been documented in three open-access research papers. Last but not least, the database has been integrated into teaching materials, especially in paediatric pharmacy and pharmaceutical sciences.

Category: Professional Services staff

Winner: Miguel Xochicale, Engineering Sciences and Mathematical & Physical Sciences

Miguel hosted the “Open-source software for surgical technologies” workshop at the 2023 Hamlyn symposium on Medical Robotics, a half-day session that brought together experts from software engineering in medical imagining, academics specialising in surgical data science, and researchers at the forefront of surgical technology development. During the workshop, speakers discussed the utilisation of cutting-edge hardware; fast prototyping and validation of new algorithms; maintaining fragmented source code for heterogenous systems; developing high performance of medical image computing and visualisation in the operating room; and benchmarks of data quality and data privacy. Miguel subsequently convened a panel discussion, underscoring the pressing need of additional open-source guidelines and platforms that ensure that open-source software libraries are not only sustainable but also receive long-term support and are seamlessly translatable to clinic settings. Miguel made recording of the talks and presentations, along with a work-in-progress white paper that is curated by them, and links to forums for inviting others to join their community available on Github.

Honourable mention: Marcus Pedersen, PHS

The Global Business School for Health (GSBH) introduced changes to its teaching style, notably, a flipped classroom. Marcus taught academics at their department how to use several mostly freely available learning technologies, such as student-created podcasts, Mentimeter, or Microsoft Sway, to create an interactive flipped classroom. Marcus further collected feedback from students documenting their learning journey and experiences with flipped teaching to evaluate the use of  the tools. Those insights have been presented in a book chapter (Betts, T. & Oprandi, P. (Eds.). (2022). 100 Ideas for Active Learning. OpenPress @ University of Sussex) and in talks for UCL MBA and Master’s students as well as at various conferences. The Association of Learning Technology also awarded Marcus the ELESIG Scholar Scheme 23/24 to continue their research.

Category: Students

Winner: Seán Kavanagh, Chemistry

Séan was nominated for his noteworthy contribution to developing user-friendly open-source software for the computational chemistry/physics research community. They have developed several codes during their PhD, such as doped, ShakeNBreak and vaspup2.0 for which they are the lead developer, as well as PyTASER and easyunfold for which they are a co-lead developer. Séan not only focuses on efficient implementation but also on user-friendliness along with comprehensive documentation and tutorials. They have produced comprehensive video walkthroughs of the codes and the associated theories, amassing over 20,000 views on YouTube and SpeakerDeck. It is important to note that software development is not the primary goal of Séan’s PhD research (which focuses on characterizing solar cell materials), and so their dedication to top-quality open-source software development is truly commendable. Additionally, Séan has consistently shared the data of all his publications and actively encourages open-access practices in his collaborations/mentorship roles, having assisted others in making their data available online and building functionality in their codes to save outputs in transferable and interoperable formats for data.

Honourable mention: Julie Fabre, Department of Neuromuscular Diseases

Julie is recognized for developing the open-source toolbox bombcell, that automatically assesses large amounts of data that are collected simultaneously from hundreds of neurons (i.e., groups of spikes). This tool considerably reduces labour per experiment and enables long-term neuron recording, which was previously intractable. As bombcell has been released under the open-source copyleft GNU General Public License 3, all future derived work will also be free and open source. Bombcell has already been used in another open-source toolbox with the same licence, UnitMatch. The toolbox’s code is extensively documented, and Julie adopted the Open Neurophysiology Environment, a standardised data format that enables quick understanding and loading of data files. In 2022, Julie presented bombcell in a free online-course. This course was attended by over 180 people, and the recorded video has since been viewed over 800 times online. Bombcell is currently regularly used in a dozen labs in Europe and the United States. It has already been used in two peer-reviewed publications, and in two manuscripts that are being submitted for publication with more studies underway.

Honourable mention: Maxime Beau, Division of Medicine

Maxime is recognized for leading the development of NeuroPyxels, the first open-source library to analyze Neuropixels data in Python. NeuroPyxels, hosted on a GitHub public repository and licensed under the GNU general public license, is actively used across several neuroscience labs in Europe and the United States (18 users have already forked the repository). Furthermore, NeuroPyxels relies on a widely accepted neural data format; this built-in compatibility with community standards ensures that users can easily borrow parts of NeuroPyxels and seamlessly integrate them with their application. NeuroPyxels has been a great teaching medium in several summer schools. Maxime has been a teaching assistant at the “Paris Spring School of Imaging and Electrophysiology” for three years, the FENS course “Interacting with Neural Circuits” at Champalimaud for two years, and the UCL Neuropixels course for three years where NeuroPyxels has been an invaluable tool to get students started with analysing neural data in Python.

Honourable mention: Yukun Zhou, Centre for Medical Image Computing

Yukun was nominated for developing open-source software for analysing images of the retina. The algorithm, termed AutoMorph, consists of an entire pipeline from image quality assessment to image segmentation to feature extraction in tabular form. A strength of AutoMorph is that it was developed using openly available data and so its underlying code can be easily reproduced and audited by other research groups.Although only published 1 year ago, AutoMorph has already been used by research groups from four continents and led to three new collaborations with Yukun’s research group at UCL. Moreover, AutoMorph has been run on the entire retinal picture dataset in the UK Biobank study with the features soon being made available for the global research community. Yukun has been complimented on the ease with which any researcher can immediately download the AutoMorph tools and deploy on their own datasets. Moreover, the availability of AutoMorph has encouraged other research groups, who are conducting similar work, to make their own proprietary systems openly available.

Category: Open resources, publishing, and textbooks 

Winner: Talia Isaacs, IOE, UCL’s Faculty of Education and Society

Talia is recognized for their diverse and continuous contributions to open access publishing. As Co-Editor of the journal Language Testing, they spearheaded SAGE’s CRediT pilot scheme, requiring standardized author contribution statements; they approved and supported Special Issue Editors’ piloting of transparent review for a special issue on “Open science in Language Testing”, encouraged authors to submit pre-prints, and championed open science in Editor workshops and podcasts. Additionally, in 2016, Multilingual Matters published Talia’s edited volume as their first open access monograph. Talia also discussed benefits of open access book publication in the publisher’s blog. As a result, the publisher launched an open access funding model, matching funding for at least one open access book a year. Further showcasing their dedication to open science, Talia archived the first corpus of patient informed consent documents for clinical trials on UK Data Service and UCL’s research repository, and delivered a plenary on “reducing research waste” at the British Association for Applied Linguistics event. They have also advocated for the adoption of registered reports at various speaking events, Editorial Board presentation, in a forthcoming article, editorial, and social media campaign. 

Honourable mention: Michael Heinrich and Banaz Jalil, School of Pharmacy

Banaz and Michael were nominated for co-leading the development of the ConPhyMP-Guidelines. Ethnopharmacology is a flourishing field of medical/pharmaceutical research. However, results are often non-reproducible. The ConPhyMP-Guidelines are a new tool that defines how to report the chemical characteristics of medicinal plant extracts used in clinical, pharmacological, and toxicological research. The paper in which the guidelines are presented is widely used (1613 downloads / 8,621 views since Sept 2022). An online tool, launched in August 2023 and accessible via the Society for Medicinal Plant and Natural Product Research (GA) website, facilitates the completion of the checklist. Specifically, the tool guides the researchers in selecting the most relevant checklists for conducting and reporting research accurately and completely.

Honourable mention: Talya Greene, Brain Sciences 

Talya is recognized for leading the creation of a toolkit that enables traumatic stress researchers to move toward more FAIR (Findable, Accessible, Interoperable and Reusable) data practices. This project is part of the FAIR theme within the Global Collaboration on Traumatic Stress. Two main milestones have so far been achieved: 1) In collaboration with Bryce Hruska, Talya has collated existing resources that are relevant to the traumatic stress research community to learn about and improve their FAIR data practices. 2) Talya also collaborated with Nancy Kassam-Adams to conduct an international survey with traumatic stress researchers about their attitudes and practices regarding FAIR data in order to identify barriers and facilitators of data sharing and reuse. The study findings have been accepted for publication in the European Journal of Psychotraumatology. Talya has also presented the FAIR toolkit and the findings of the survey at international conferences (e.g., the International Society for Traumatic Stress Studies annual conference, the European Society for Traumatic Stress Studies Biennial Conference).

Launching our new UCL Citizen Science Community on MS Teams!

By Kirsty, on 24 October 2023

Are you interested in citizen science?

Would you like to connect with others to share your stories about citizen science?

Are you wondering whether a citizen science approach might work for your project?

Would you like to collaborate with colleagues across UCL and exchange ideas or work together on participatory projects under a joint mission?

Do you want to hear about citizen science as an approach or would you just like to expand your network?

If so, please join our informal UCL citizen science community and get involved! Whether you are new to citizen science or whether you have run projects before, this is your community. We are bringing everyone together to share their knowledge, discuss good practices and talk about their experiences of citizen science.  The community is strictly for UCL members only but is open to all staff and students at all levels.

You might call it participatory research, community action, crowdsourcing, public engagement, or something else. UCL supports a broad approach to “citizen science”, recognising that there are different applications and functions of this approach in research, whether they are community-driven research projects or global investigations.

Through this community, we would really like to hear your feedback on what you would like to see from a potential citizen science support service at UCL including any ideas you might have for events, training, resources or anything else. Join here or search “UCL Citizen Science Community” on Teams.

We also have brand new and improved Citizen Science web pages on the UCL’s Office for Open Science and Scholarship website which includes an introduction to citizen science at UCL including definitions, history, types and levels, and information about the UCL Citizen Science Certificate, you can browse through the various types of citizen science projects at UCL and learn about what your colleagues are doing in this exciting area!

On our new citizen science support and training page, you will find links to relevant training courses currently delivered by different UCL teams both online and in person, a variety of useful resources about citizen science, links to interesting blogs/news and citizen science platforms and projects outside UCL. We will be improving and expanding this content within the coming months.

 If you have any questions, would like further information or would like to tell us what you need, please contact us!